Lab 1 Introduction to R

Size: px
Start display at page:

Download "Lab 1 Introduction to R"

Transcription

1 Lab 1 Introduction to R Date: August 23, 2011 Assignment and Report Due Date: August 30, 2011 Goal: The purpose of this lab is to get R running on your machines and to get you familiar with the basics of how to run R. You should also become familiar with how to submit assignments for this lab using Blackboard. There will be multiple sets of instructions for this lab based on the operating system you choose to use for this course. 1. Install R on your personal computers. Follow the instructions in the handout Installing R. 2. Launch R. WINDOWS AND MAC Double Click the R icon to launch R. Campus Computers Log In to your math account: On the blue welcome screen, make sure the Java desktop is selected. To do this, click and hold the options button, and select session -> Java Desktop System, Release #. Do not release the mouse button until you ve highlighted the Java... option. Java Desktop System, Release # should now appear beneath the user name field. Note: The default session option is User s Last Desktop, so you should only have to do this step this one time. Enter your user name in the appropriate field, and press OK. The welcome box should now say Welcome username. Enter your password. (The field will appear to remain empty.) Press OK. Open a new terminal window by selecting Launch -> Applications -> Utilities -> Terminal. Now launch R by simply typing: > R ** You must press enter to execute a command in the terminal. Note: Launching R on the campus computers does not open a new window as it runs directly from the terminal. Your terminal window now becomes your R console where you will be able to type R commands. At this point everyone should have R running on their machines.

2 3. Getting familiar with basic R commands R has all the functions of a basic calculator plus many more. Let s try a few by typing some basic calculations into the R console. YOU MUST PRESS ENTER or RETURN AFTER EACH LINE TO EXECUTE IT! > 2+3 > 2-3 > 2*3 > 2/3 R can also store values inside of variables as shown below. > a = 2 This command assigns the value of 2 to the variable a. When assigning variables R does not print out the assignment just made. In order to see what is stored in a variable simply type the variable name. > a The output is 2 as that is what is stored in a. Now try calling a variable that we have not yet defined and see what happens. > b This gives an error as we have not defined what value we want b to have. > b = 3 > b Now b has been assigned the value of 3. R can also do calculations with variables. Try adding a and b together. > a + b It is important to realize that variables can be named anything you like. > cat = 7 > banana = -33 > cat > banana As you can see, R recognizes that the variable cat has been assigned a value of 7 and banana has been assigned a value of 33. What does cat + banana equal? > cat + banana Variable names can include numbers or some other symbols. Again, we can do calculations with any variables we have defined. > w1 = 1 > w2 = -2.4 > w3 = 3.83 > math_is_fun = > math_is_fun*cat+a-w1 What if we want to assign a variable to have the same value as something else? It s simple as long as we remember the rules for defining variables we went over earlier. Let s make a new variable called LOL and give it the same value as b. > LOL = b LOL now has the same value as b. We can also reassign the value of a variable at any time we d like. Let s change the values of math_is_fun and banana. > math_is_fun = > banana = -8

3 Now let s try something a little harder. > sqrt(w3/(math_is_fun^banana)) Try giving values to any new variables you can think of and do some simple calculations with them. HELPFUL HINT: Instead of retyping things you have already typed, you can use the arrow keys to scroll through previous lines of code. Hit the up arrow and see what happens. 4. Functions and Plots Recall that functions have an input variable (or independent variable, often x) and an output (often f(x), or sometimes y). Remember the slope-intercept form of a line, f(x) = mx + b where m is the slope and b is the y-intercept. We are going to use R to plot the line f(x) = 2x + 1. Therefore we need to define the variables m and b. > m = 2 > b = 1 Now we need to learn how to represent the independent variable x in R. We will do this by defining x as a vector of the values for which we would like to plot f(x). A vector is simply a collection of numbers, i.e. 1, 2, 3, 4, 5. In R, to define x as the vector (1, 2, 3, 4, 5) we use the following code. > x = c(1,2,3,4,5) You can think of the command c() as combining the given values into a vector. > x HELPFUL HINT: To define a vector of ordered integers like we just did with the c() command, you can simply type > x = 1:5 We can now define another vector (set of numbers), f, which has the output values for each input value specified in x. > f = m*x + b > f The values you see in the vector f are the outputs for the corresponding input values of x. Let s test it to make sure. The first value in x is 1. Let s see what the output value is for f(1). We do this by substituting 1 for x in our equation. > m*1 + b As you can see, this is the same as the first number in f! To plot the points given by x and f (input, output) we use the plot command in R. > plot(x,f) This opens a graphics display and creates a scatter plot with a collection of points that represent each input with its output. As you can see, the input values are on the x-axis with the output values on the y- axis. To fill in the rest of the line we must specify the type of plot we want which in this case o. This will connect each point on our graph with a straight line and leave the individual points plotted and is called overplotting hence the o. There are many other plot types which we may run into later in the semester.

4 > plot(x,f,type = o ) Now let s plot a different part of the line by giving different input values for the function. > x = c(-2,-1,0,1,2) > f = m*x + b > plot(x,f,type = o ) You have now plotted a different part of the same line we plotted before. Now let s define another function f2(x). > f2 = (x)^2-3 > f2 What should this graph look like? > plot(x,f2,type = o ) Does this plot look like what you expected? Why or why not? This plot is not very smooth since we haven t evaluated the function at very many points. We can smooth the plot out by evaluating at more points. To do this let s define a new input vector, x2. We will use the command seq()to create a new vector going from -2 to 2 in steps of.1. > x2 = seq(from = -2,to = 2, by =.1) > x2 > f2 = (x2)^2-3 > f2 > plot(x2,f2,type = "o") With more points we can see that the graph is indeed a parabola as we expected. Try defining a function f3 of your choice and plot it to see what it looks like. Try giving it different input vectors to plot different pieces of the graph. 5. More Fun with Plots We will now learn how to customize data in figures, label figures, and add to plots that we have already created. As you may have noticed, each time we use plot() the figure in R is updated to our current plot and erases any previous figure we had open. We will learn two other commands in order to add data to already existing plots, points() and lines(). The figure we have open now has a parabola plotted. Let s now add some points to this already existing plot. First we will add a single points at (0,0). > points(0,0) Now let s add the points we used to create a line as before with x and f. > points(x,f) Notice that only three of the five points show up on our figure. Why do you think that is? When adding data points to figures in R, the size of the figure is set by the first plot you create. Therefore, the parabola in our figure set the x-axis to range from -2 to 2 and the y-axis to range from -3 to 1. Any points we try to add that are outside this region will not be plotted. This is why we don t get all the points specified by x and f.

5 We can also add lines to the plot again by specifying points that we would like connected by lines. For example, say we want to connect the following points: (-2,0) (-1,1) (0,-1) (1,0) (2,-2). We again need a vector to specify the x coordinates and another to specify the y coordinates. The following will use lines to connect the points above. > lines(c(-2,-1,0,1,2),c(0,1,-1,0,-2)) Again remember that we use c() to put our vectors together. What if we want a horizontal line on the x-axis? > lines(c(-2,-1,0,1,2),c(0,0,0,0,0)) Now you see that we can add things to already existing plots using points() and lines(). We will next learn how to customize your plots. See what happens with the following code. > plot(1:20,1:20,pch=1:20,cex=.5*(1:20),col=1:20) As you can see R has lots of choices for style of markers and colors. Any guesses as to what pch, cex, and col do? pch specifies marker type. It can be inputted as a vector (like we just did) or you can just specify one marker type. > plot(1:20,1:20,pch=14,cex=.5*(1:20),col=1:20) cex specifies the size of the marker. It can also be inputted as a vector or you can just specify one marker size. > plot(1:20,1:20,pch=1:20,cex=3,col=1:20) col specifies the color of the markers. Again, it can be inputted as a vector or you can choose one color for all your points. > plot(1:20,1:20,pch=1:20,cex=.5*(1:20),col=3) HELPFUL HINT: R also lets you specify the color using color names as opposed to color codes. For example, > plot(1:20,1:20,pch=10,cex=3,col= red ) These same customizations can be used with points(). > points(7:11,c(3,3,3,3,3),pch=8,cex=2,col= green ) Since lines() just connects the points you specify, you cannot use these customizations because there are no markers placed at the points you plot. Therefore, the only customization above that can be used with lines() is col. >lines(1:5,c(10,13,11,8,12),col = 7) As you can see, 7 is the code for yellow.

6 Now that we know how to add to existing plots and customize our plots, we need to learn how to label them. We will first add a title to our figure. > title(main= Lab 1 Figure 1, col.main = blue ) The input col.main specifies the color of the title. The labels on the axes are set by the input you gave when you first used plot() for the current figure. Right now that is 1:20, 1:20. Let s create a new plot in order to label the axes the way we want them. > plot(1:20,1:20,pch=1:20,cex=3,col=1:20,ann=false) Now we have removed the labels on our axes and we are free to label them how we would like. We will use the title command to title our figure Lab 1 Figure 2 and to label our axes x-axis and yaxis. > title(main= Lab 1 Figure 2, xlab = x-axis, ylab = y-axis ) Now we have our figure labeled just the way we want it. There are many more customizations that you may discover throughout the semester. 6. Saving Figures Once you have created figures in R, it is important that you save them. You will often be asked to submit figures for assignments. We will save figures as jpegs although R has the ability to save them in many different formats. We can save Lab 1 Figure 2 to Lab1Figure2.jpg by using the following code. > dev.copy(jpeg,"lab1figure2.jpg") > dev.off() This code saves a copy of your figure to Lab1Figure2.jpg in your current directory. If you are unsure what directory that is you can find out by typing: > getwd() 7. Submitting Assignments Now that you know how to save figures, submitting assignments should be fairly simple. Open the word processor of your choice. For campus computers, Launch -> Applications -> Office -> OpenOffice.org 3.2 Writer. As an example, insert Lab1Figure2.jpg into your document. Under this figure summarize the things you learned about customizing plots. Once you are finished save(or export) this file as a PDF called LAB1.pdf. All assignments should be submitted as PDFs. Now that you have LAB1.pdf saved we will go through the steps of submitting assignments via Blackboard. 1. Log in to CIS 2. Under My Classes you should have a link to this lab. Click it to open Blackboard. 3. Once logged in to Blackboard, in the click on the Assignments tab in the left-hand menu. 4. Click on Lab1 Practice Assignment 5. Attach LAB1.pdf. 6. Submit.

7 This is the process you will go through to submit your assignments for the lab. 8. Help in R When coding, it is often necessary to use the R s help feature to understand how to use commands or know what arguments or options to include. You can easily get help with a specific command using the R console. All you need to type is a? followed by a command name. >?plot On a PC or MAC this opens the online help page for the command plot(). On the campus computers, the help page for plot is displayed directly in the terminal. To get out the help information on the terminal simply type q. 9. Quitting R To quit R and close the workspace simply type. > q() R will then ask you if you would like to save your workspace and you have the options of (y)es, (n)o, or (c)ancel. Selecting yes will save all your work and the variables you have already defined. That way you can pick up right where you left off the next time you begin work in R. You should now be somewhat familiar with the R environment and some of the basic commands you will be using throughout the semester. Be sure you understand how to create and use figures in R and how to submit assignments. If you have questions, please ask now since you have an assignment due next week.

Math-2. Lesson 3-1. Equations of Lines

Math-2. Lesson 3-1. Equations of Lines Math-2 Lesson 3-1 Equations of Lines How can an equation make a line? y = x + 1 x -4-3 -2-1 0 1 2 3 Fill in the rest of the table rule x + 1 f(x) -4 + 1-3 -3 + 1-2 -2 + 1-1 -1 + 1 0 0 + 1 1 1 + 1 2 2 +

More information

Section Graphs and Lines

Section Graphs and Lines Section 1.1 - Graphs and Lines The first chapter of this text is a review of College Algebra skills that you will need as you move through the course. This is a review, so you should have some familiarity

More information

Sec 4.1 Coordinates and Scatter Plots. Coordinate Plane: Formed by two real number lines that intersect at a right angle.

Sec 4.1 Coordinates and Scatter Plots. Coordinate Plane: Formed by two real number lines that intersect at a right angle. Algebra I Chapter 4 Notes Name Sec 4.1 Coordinates and Scatter Plots Coordinate Plane: Formed by two real number lines that intersect at a right angle. X-axis: The horizontal axis Y-axis: The vertical

More information

Applied Calculus. Lab 1: An Introduction to R

Applied Calculus. Lab 1: An Introduction to R 1 Math 131/135/194, Fall 2004 Applied Calculus Profs. Kaplan & Flath Macalester College Lab 1: An Introduction to R Goal of this lab To begin to see how to use R. What is R? R is a computer package for

More information

Forms of Linear Equations

Forms of Linear Equations 6. 1-6.3 Forms of Linear Equations Name Sec 6.1 Writing Linear Equations in Slope-Intercept Form *Recall that slope intercept form looks like y = mx + b, where m = slope and b = y=intercept 1) Writing

More information

PR3 & PR4 CBR Activities Using EasyData for CBL/CBR Apps

PR3 & PR4 CBR Activities Using EasyData for CBL/CBR Apps Summer 2006 I2T2 Process Page 23. PR3 & PR4 CBR Activities Using EasyData for CBL/CBR Apps The TI Exploration Series for CBR or CBL/CBR books, are all written for the old CBL/CBR Application. Now we can

More information

Statistics 13, Lab 1. Getting Started. The Mac. Launching RStudio and loading data

Statistics 13, Lab 1. Getting Started. The Mac. Launching RStudio and loading data Statistics 13, Lab 1 Getting Started This first lab session is nothing more than an introduction: We will help you navigate the Statistics Department s (all Mac) computing facility and we will get you

More information

Barchard Introduction to SPSS Marks

Barchard Introduction to SPSS Marks Barchard Introduction to SPSS 22.0 3 Marks Purpose The purpose of this assignment is to introduce you to SPSS, the most commonly used statistical package in the social sciences. You will create a new data

More information

Practical 2: Using Minitab (not assessed, for practice only!)

Practical 2: Using Minitab (not assessed, for practice only!) Practical 2: Using Minitab (not assessed, for practice only!) Instructions 1. Read through the instructions below for Accessing Minitab. 2. Work through all of the exercises on this handout. If you need

More information

Math 7 Notes - Unit 4 Pattern & Functions

Math 7 Notes - Unit 4 Pattern & Functions Math 7 Notes - Unit 4 Pattern & Functions Syllabus Objective: (3.2) The student will create tables, charts, and graphs to extend a pattern in order to describe a linear rule, including integer values.

More information

Spreadsheet View and Basic Statistics Concepts

Spreadsheet View and Basic Statistics Concepts Spreadsheet View and Basic Statistics Concepts GeoGebra 3.2 Workshop Handout 9 Judith and Markus Hohenwarter www.geogebra.org Table of Contents 1. Introduction to GeoGebra s Spreadsheet View 2 2. Record

More information

An introduction to plotting data

An introduction to plotting data An introduction to plotting data Eric D. Black California Institute of Technology February 25, 2014 1 Introduction Plotting data is one of the essential skills every scientist must have. We use it on a

More information

Instruction: Download and Install R and RStudio

Instruction: Download and Install R and RStudio 1 Instruction: Download and Install R and RStudio We will use a free statistical package R, and a free version of RStudio. Please refer to the following two steps to download both R and RStudio on your

More information

5.1 Introduction to the Graphs of Polynomials

5.1 Introduction to the Graphs of Polynomials Math 3201 5.1 Introduction to the Graphs of Polynomials In Math 1201/2201, we examined three types of polynomial functions: Constant Function - horizontal line such as y = 2 Linear Function - sloped line,

More information

= 3 + (5*4) + (1/2)*(4/2)^2.

= 3 + (5*4) + (1/2)*(4/2)^2. Physics 100 Lab 1: Use of a Spreadsheet to Analyze Data by Kenneth Hahn and Michael Goggin In this lab you will learn how to enter data into a spreadsheet and to manipulate the data in meaningful ways.

More information

Use the Move tool to drag A around and see how the automatically constructed objects (like G or the perpendicular and parallel lines) are updated.

Use the Move tool to drag A around and see how the automatically constructed objects (like G or the perpendicular and parallel lines) are updated. Math 5335 Fall 2015 Lab #0: Installing and using GeoGebra This semester you will have a number of lab assignments which require you to use GeoGebra, a dynamic geometry program. GeoGebra lets you explore

More information

Hello World on the ATLYS Board. Building the Hardware

Hello World on the ATLYS Board. Building the Hardware 1. Start Xilinx Platform Studio Hello World on the ATLYS Board Building the Hardware 2. Click on Create New Blank Project Using Base System Builder For the project file field, browse to the directory where

More information

Microsoft Word for Report-Writing (2016 Version)

Microsoft Word for Report-Writing (2016 Version) Microsoft Word for Report-Writing (2016 Version) Microsoft Word is a versatile, widely-used tool for producing presentation-quality documents. Most students are well-acquainted with the program for generating

More information

CS1110 Lab 1 (Jan 27-28, 2015)

CS1110 Lab 1 (Jan 27-28, 2015) CS1110 Lab 1 (Jan 27-28, 2015) First Name: Last Name: NetID: Completing this lab assignment is very important and you must have a CS 1110 course consultant tell CMS that you did the work. (Correctness

More information

Semester 2, 2018: Lab 1

Semester 2, 2018: Lab 1 Semester 2, 2018: Lab 1 S2 2018 Lab 1 This lab has two parts. Part A is intended to help you familiarise yourself with the computing environment found on the CSIT lab computers which you will be using

More information

Barchard Introduction to SPSS Marks

Barchard Introduction to SPSS Marks Barchard Introduction to SPSS 21.0 3 Marks Purpose The purpose of this assignment is to introduce you to SPSS, the most commonly used statistical package in the social sciences. You will create a new data

More information

Models for Nurses: Quadratic Model ( ) Linear Model Dx ( ) x Models for Doctors:

Models for Nurses: Quadratic Model ( ) Linear Model Dx ( ) x Models for Doctors: The goal of this technology assignment is to graph several formulas in Excel. This assignment assumes that you using Excel 2007. The formula you will graph is a rational function formed from two polynomials,

More information

Remote Desktop How to guide

Remote Desktop How to guide CaseMap Remote Desktop for Windows User Contents How to open Remote Desktop Connection and Login to the Terminal Server... 2 How to save your connection settings and create a shortcut on your desktop...

More information

Cmpt 101 Lab 1 - Outline

Cmpt 101 Lab 1 - Outline Cmpt 101 Lab 1 - Outline Instructions: Work through this outline completely once directed to by your Lab Instructor and fill in the Lab 1 Worksheet as indicated. Contents PART 1: GETTING STARTED... 2 PART

More information

Tutorial: Working with the Xilinx tools 14.4

Tutorial: Working with the Xilinx tools 14.4 Tutorial: Working with the Xilinx tools 14.4 This tutorial will show you how to: Part I: Set up a new project in ISE Part II: Implement a function using Schematics Part III: Implement a function using

More information

Designed by Jason Wagner, Course Web Programmer, Office of e-learning NOTE ABOUT CELL REFERENCES IN THIS DOCUMENT... 1

Designed by Jason Wagner, Course Web Programmer, Office of e-learning NOTE ABOUT CELL REFERENCES IN THIS DOCUMENT... 1 Excel Essentials Designed by Jason Wagner, Course Web Programmer, Office of e-learning NOTE ABOUT CELL REFERENCES IN THIS DOCUMENT... 1 FREQUENTLY USED KEYBOARD SHORTCUTS... 1 FORMATTING CELLS WITH PRESET

More information

2. Getting Started When you start GeoGebra, you will see a version of the following window. 1

2. Getting Started When you start GeoGebra, you will see a version of the following window. 1 Math 5335 Fall 2018 Lab #0: Installing and using GeoGebra This semester you will have a number of lab assignments which require you to use GeoGebra, a dynamic geometry program. GeoGebra lets you explore

More information

0 Graphical Analysis Use of Excel

0 Graphical Analysis Use of Excel Lab 0 Graphical Analysis Use of Excel What You Need To Know: This lab is to familiarize you with the graphing ability of excels. You will be plotting data set, curve fitting and using error bars on the

More information

Writing and Running Programs

Writing and Running Programs Introduction to Python Writing and Running Programs Working with Lab Files These instructions take you through the steps of writing and running your first program, as well as using the lab files in our

More information

Remaining Enhanced Labs

Remaining Enhanced Labs Here are some announcements regarding the end of the semester, and the specifications for the last Enhanced Labs. Don t forget that you need to take the Common Final Examination on Saturday, May 5, from

More information

Select the Points You ll Use. Tech Assignment: Find a Quadratic Function for College Costs

Select the Points You ll Use. Tech Assignment: Find a Quadratic Function for College Costs In this technology assignment, you will find a quadratic function that passes through three of the points on each of the scatter plots you created in an earlier technology assignment. You will need the

More information

In math, the rate of change is called the slope and is often described by the ratio rise

In math, the rate of change is called the slope and is often described by the ratio rise Chapter 3 Equations of Lines Sec. Slope The idea of slope is used quite often in our lives, however outside of school, it goes by different names. People involved in home construction might talk about

More information

Math 121 Project 4: Graphs

Math 121 Project 4: Graphs Math 121 Project 4: Graphs Purpose: To review the types of graphs, and use MS Excel to create them from a dataset. Outline: You will be provided with several datasets and will use MS Excel to create graphs.

More information

Lab 1: Silver Dollar Game 1 CSCI 2101B Fall 2018

Lab 1: Silver Dollar Game 1 CSCI 2101B Fall 2018 Lab 1: Silver Dollar Game 1 CSCI 2101B Fall 2018 Due: Tuesday, September 18, 11:59 pm Collaboration Policy: Level 1 (review full policy for details) Group Policy: Individual This lab will give you experience

More information

Appendix E: Software

Appendix E: Software Appendix E: Software Video Analysis of Motion Analyzing pictures (movies or videos) is a powerful tool for understanding how objects move. Like most forms of data, video is most easily analyzed using a

More information

Visual Physics - Introductory Lab Lab 0

Visual Physics - Introductory Lab Lab 0 Your Introductory Lab will guide you through the steps necessary to utilize state-of-the-art technology to acquire and graph data of mechanics experiments. Throughout Visual Physics, you will be using

More information

[CALCULATOR OPERATIONS]

[CALCULATOR OPERATIONS] Example 1: Set up a table of values (with x-values between 3 and 3) and use it to draw the graph of 3. Press MENU 2: VIEW A: SHOW TABLE 1. Select the GRAPHS option: Or Press MENU 5: TRACE 1: GRAPH TRACE

More information

Excel Spreadsheets and Graphs

Excel Spreadsheets and Graphs Excel Spreadsheets and Graphs Spreadsheets are useful for making tables and graphs and for doing repeated calculations on a set of data. A blank spreadsheet consists of a number of cells (just blank spaces

More information

EDTE 330A/B. Educational Technology in the Classroom: Applications and Integrations

EDTE 330A/B. Educational Technology in the Classroom: Applications and Integrations EDTE 330A/B Educational Technology in the Classroom: Applications and Integrations California State University, Sacramento Department of Teacher Education Instructor Brian S., Ph.D. 1 Rules and Procedures

More information

Laboratory 1: Eclipse and Karel the Robot

Laboratory 1: Eclipse and Karel the Robot Math 121: Introduction to Computing Handout #2 Laboratory 1: Eclipse and Karel the Robot Your first laboratory task is to use the Eclipse IDE framework ( integrated development environment, and the d also

More information

252 APPENDIX D EXPERIMENT 1 Introduction to Computer Tools and Uncertainties

252 APPENDIX D EXPERIMENT 1 Introduction to Computer Tools and Uncertainties 252 APPENDIX D EXPERIMENT 1 Introduction to Computer Tools and Uncertainties Objectives To become familiar with the computer programs and utilities that will be used throughout the semester. You will learn

More information

Contents. Foreword. Examples of GeoGebra Applet Construction 1 A Straight Line Graph... 1 A Quadratic Graph... 6 The Scalar Product...

Contents. Foreword. Examples of GeoGebra Applet Construction 1 A Straight Line Graph... 1 A Quadratic Graph... 6 The Scalar Product... Contents Foreword ii Examples of GeoGebra Applet Construction 1 A Straight Line Graph............................... 1 A Quadratic Graph................................. 6 The Scalar Product.................................

More information

San Francisco State University

San Francisco State University San Francisco State University Michael Bar Instructions for Excel 1. Plotting analytical function. 2 Suppose that you need to plot the graph of a function f ( x) = x on the interval [ 5,5]. Step 1: make

More information

How to make a Work Profile for Windows 10

How to make a Work Profile for Windows 10 How to make a Work Profile for Windows 10 Setting up a new profile for Windows 10 requires you to navigate some screens that may lead you to create the wrong type of account. By following this guide, we

More information

1 Getting started with Processing

1 Getting started with Processing cis3.5, spring 2009, lab II.1 / prof sklar. 1 Getting started with Processing Processing is a sketch programming tool designed for use by non-technical people (e.g., artists, designers, musicians). For

More information

Technology Assignment: Scatter Plots

Technology Assignment: Scatter Plots The goal of this assignment is to create a scatter plot of a set of data. You could do this with any two columns of data, but for demonstration purposes we ll work with the data in the table below. You

More information

CS 1110 SPRING 2016: GETTING STARTED (Jan 27-28) First Name: Last Name: NetID:

CS 1110 SPRING 2016: GETTING STARTED (Jan 27-28)   First Name: Last Name: NetID: CS 1110 SPRING 2016: GETTING STARTED (Jan 27-28) http://www.cs.cornell.edu/courses/cs1110/2016sp/labs/lab01/lab01.pdf First Name: Last Name: NetID: Goals. Learning a computer language is a lot like learning

More information

Using Excel This is only a brief overview that highlights some of the useful points in a spreadsheet program.

Using Excel This is only a brief overview that highlights some of the useful points in a spreadsheet program. Using Excel 2007 This is only a brief overview that highlights some of the useful points in a spreadsheet program. 1. Input of data - Generally you should attempt to put the independent variable on the

More information

How to set up an Amazon Work Profile for Windows 8

How to set up an Amazon Work Profile for Windows 8 How to set up an Amazon Work Profile for Windows 8 Setting up a new profile for Windows 8 requires you to navigate some screens that may lead you to create the wrong type of account. By following this

More information

Section 4.1 Review of Quadratic Functions and Graphs (3 Days)

Section 4.1 Review of Quadratic Functions and Graphs (3 Days) Integrated Math 3 Name What can you remember before Chapter 4? Section 4.1 Review of Quadratic Functions and Graphs (3 Days) I can determine the vertex of a parabola and generate its graph given a quadratic

More information

Lab 2 Functions and Antibiotics

Lab 2 Functions and Antibiotics Lab 2 Functions and Antibiotics Date: August 30, 2011 Assignment and Report Due Date: September 6, 2011 Goal: In this lab you will learn about a model for antibiotic efficiency and see how it relates to

More information

KIN 147 Lab Practical Mid-term: Tibial Acceleration Data Analysis Excel analyses work much better on PCs than on Macs (especially older Macs)

KIN 147 Lab Practical Mid-term: Tibial Acceleration Data Analysis Excel analyses work much better on PCs than on Macs (especially older Macs) KIN 147 Lab Practical Mid-term: Tibial Acceleration Data Analysis Excel analyses work much better on PCs than on Macs (especially older Macs) Your goal is to correctly analyze accelerometer data Analyzing

More information

Learning Packet THIS BOX FOR INSTRUCTOR GRADING USE ONLY. Mini-Lesson is complete and information presented is as found on media links (0 5 pts)

Learning Packet THIS BOX FOR INSTRUCTOR GRADING USE ONLY. Mini-Lesson is complete and information presented is as found on media links (0 5 pts) Learning Packet Student Name Due Date Class Time/Day Submission Date THIS BOX FOR INSTRUCTOR GRADING USE ONLY Mini-Lesson is complete and information presented is as found on media links (0 5 pts) Comments:

More information

Excel Tips and FAQs - MS 2010

Excel Tips and FAQs - MS 2010 BIOL 211D Excel Tips and FAQs - MS 2010 Remember to save frequently! Part I. Managing and Summarizing Data NOTE IN EXCEL 2010, THERE ARE A NUMBER OF WAYS TO DO THE CORRECT THING! FAQ1: How do I sort my

More information

Information Technology Virtual EMS Help https://msum.bookitadmin.minnstate.edu/ For More Information Please contact Information Technology Services at support@mnstate.edu or 218.477.2603 if you have questions

More information

Microsoft Excel 2007

Microsoft Excel 2007 Microsoft Excel 2007 1 Excel is Microsoft s Spreadsheet program. Spreadsheets are often used as a method of displaying and manipulating groups of data in an effective manner. It was originally created

More information

Math 2524: Activity 1 (Using Excel) Fall 2002

Math 2524: Activity 1 (Using Excel) Fall 2002 Math 2524: Activity 1 (Using Excel) Fall 22 Often in a problem situation you will be presented with discrete data rather than a function that gives you the resultant data. You will use Microsoft Excel

More information

Your Name: Section: INTRODUCTION TO STATISTICAL REASONING Computer Lab #4 Scatterplots and Regression

Your Name: Section: INTRODUCTION TO STATISTICAL REASONING Computer Lab #4 Scatterplots and Regression Your Name: Section: 36-201 INTRODUCTION TO STATISTICAL REASONING Computer Lab #4 Scatterplots and Regression Objectives: 1. To learn how to interpret scatterplots. Specifically you will investigate, using

More information

KINETICS CALCS AND GRAPHS INSTRUCTIONS

KINETICS CALCS AND GRAPHS INSTRUCTIONS KINETICS CALCS AND GRAPHS INSTRUCTIONS 1. Open a new Excel or Google Sheets document. I will be using Google Sheets for this tutorial, but Excel is nearly the same. 2. Enter headings across the top as

More information

Bucknell University Digital Collections. LUNA Insight User Guide February 2006

Bucknell University Digital Collections. LUNA Insight User Guide February 2006 Bucknell University Digital Collections LUNA Insight User Guide February 2006 User Guide - Table of Contents Topic Page Number Installing Insight. 2-4 Connecting to Insight 5 Opening Collections. 6 Main

More information

Lab - Share Resources in Windows

Lab - Share Resources in Windows Introduction In this lab, you will create and share a folder, set permissions for the shares, create a Homegroup and a Workgroup to share resources, and map a network drive. Due to Windows Vista lack of

More information

Exercise: Graphing and Least Squares Fitting in Quattro Pro

Exercise: Graphing and Least Squares Fitting in Quattro Pro Chapter 5 Exercise: Graphing and Least Squares Fitting in Quattro Pro 5.1 Purpose The purpose of this experiment is to become familiar with using Quattro Pro to produce graphs and analyze graphical data.

More information

EDITING AN EXISTING REPORT

EDITING AN EXISTING REPORT Report Writing in NMU Cognos Administrative Reporting 1 This guide assumes that you have had basic report writing training for Cognos. It is simple guide for the new upgrade. Basic usage of report running

More information

Excel Basics Rice Digital Media Commons Guide Written for Microsoft Excel 2010 Windows Edition by Eric Miller

Excel Basics Rice Digital Media Commons Guide Written for Microsoft Excel 2010 Windows Edition by Eric Miller Excel Basics Rice Digital Media Commons Guide Written for Microsoft Excel 2010 Windows Edition by Eric Miller Table of Contents Introduction!... 1 Part 1: Entering Data!... 2 1.a: Typing!... 2 1.b: Editing

More information

Lesson 19: The Graph of a Linear Equation in Two Variables is a Line

Lesson 19: The Graph of a Linear Equation in Two Variables is a Line Lesson 19: The Graph of a Linear Equation in Two Variables is a Line Classwork Exercises Theorem: The graph of a linear equation y = mx + b is a non-vertical line with slope m and passing through (0, b),

More information

Advanced Curve Fitting. Eric Haller, Secondary Occasional Teacher, Peel District School Board

Advanced Curve Fitting. Eric Haller, Secondary Occasional Teacher, Peel District School Board Advanced Curve Fitting Eric Haller, Secondary Occasional Teacher, Peel District School Board rickyhaller@hotmail.com In many experiments students collect two-variable data, make scatter plots, and then

More information

limma: A brief introduction to R

limma: A brief introduction to R limma: A brief introduction to R Natalie P. Thorne September 5, 2006 R basics i R is a command line driven environment. This means you have to type in commands (line-by-line) for it to compute or calculate

More information

Describe the Squirt Studio

Describe the Squirt Studio Name: Recitation: Describe the Squirt Studio This sheet includes both instruction sections (labeled with letters) and problem sections (labeled with numbers). Please work through the instructions and answer

More information

Installing Komplete 5 with Direct Install

Installing Komplete 5 with Direct Install Installing Komplete 5 with Direct Install This document discusses how to use Receptor s Direct Install feature to install and update Komplete 5, its plugins, and its libraries. In order to install Komplete

More information

APPM 2460 Matlab Basics

APPM 2460 Matlab Basics APPM 2460 Matlab Basics 1 Introduction In this lab we ll get acquainted with the basics of Matlab. This will be review if you ve done any sort of programming before; the goal here is to get everyone on

More information

GRAPHING WORKSHOP. A graph of an equation is an illustration of a set of points whose coordinates satisfy the equation.

GRAPHING WORKSHOP. A graph of an equation is an illustration of a set of points whose coordinates satisfy the equation. GRAPHING WORKSHOP A graph of an equation is an illustration of a set of points whose coordinates satisfy the equation. The figure below shows a straight line drawn through the three points (2, 3), (-3,-2),

More information

Before you get started, make sure you have your section code since you ll need it to enroll. You can get it from your instructor.

Before you get started, make sure you have your section code since you ll need it to enroll. You can get it from your instructor. Student manual Table of contents Table of contents... 1 Registration... 2 If you have a PIN code:... 2 If you're using a credit card:... 2 Login/Logout... 3 Login... 3 Dashboard... 3 Logout... 3 Trouble

More information

Topic. Section 4.1 (3, 4)

Topic. Section 4.1 (3, 4) Topic.. California Standards: 6.0: Students graph a linear equation and compute the x- and y-intercepts (e.g., graph x + 6y = ). They are also able to sketch the region defined by linear inequality (e.g.,

More information

Getting Started with DADiSP

Getting Started with DADiSP Section 1: Welcome to DADiSP Getting Started with DADiSP This guide is designed to introduce you to the DADiSP environment. It gives you the opportunity to build and manipulate your own sample Worksheets

More information

Chemistry Excel. Microsoft 2007

Chemistry Excel. Microsoft 2007 Chemistry Excel Microsoft 2007 This workshop is designed to show you several functionalities of Microsoft Excel 2007 and particularly how it applies to your chemistry course. In this workshop, you will

More information

Four Types of Slope Positive Slope Negative Slope Zero Slope Undefined Slope Slope Dude will help us understand the 4 types of slope

Four Types of Slope Positive Slope Negative Slope Zero Slope Undefined Slope Slope Dude will help us understand the 4 types of slope Four Types of Slope Positive Slope Negative Slope Zero Slope Undefined Slope Slope Dude will help us understand the 4 types of slope https://www.youtube.com/watch?v=avs6c6_kvxm Direct Variation

More information

Title of Resource Introduction to SPSS 22.0: Assignment and Grading Rubric Kimberly A. Barchard. Author(s)

Title of Resource Introduction to SPSS 22.0: Assignment and Grading Rubric Kimberly A. Barchard. Author(s) Title of Resource Introduction to SPSS 22.0: Assignment and Grading Rubric Kimberly A. Barchard Author(s) Leiszle Lapping-Carr Institution University of Nevada, Las Vegas Students learn the basics of SPSS,

More information

InDesign Part II. Create a Library by selecting File, New, Library. Save the library with a unique file name.

InDesign Part II. Create a Library by selecting File, New, Library. Save the library with a unique file name. InDesign Part II Library A library is a file and holds a collection of commonly used objects. A library is a file (extension.indl) and it is stored on disk. A library file can be open at any time while

More information

USING DRUPAL. Hampshire College Website Editors Guide https://drupal.hampshire.edu

USING DRUPAL. Hampshire College Website Editors Guide https://drupal.hampshire.edu USING DRUPAL Hampshire College Website Editors Guide 2014 https://drupal.hampshire.edu Asha Kinney Hampshire College Information Technology - 2014 HOW TO GET HELP Your best bet is ALWAYS going to be to

More information

KIN 147 Lab 02: Acceleration Data Analysis

KIN 147 Lab 02: Acceleration Data Analysis KIN 147 Lab 02: Acceleration Data Analysis Excel analyses work much better on PCs than on Macs (especially older Macs) Your goal is to correctly analyze accelerometer data Analyzing the Acceleration Data

More information

You will always have access to the training area if you want to experiment or repeat this tutorial.

You will always have access to the training area if you want to experiment or repeat this tutorial. EasySite Tutorial: Part One Welcome to the EasySite tutorial session. Core Outcomes After this session, you will be able to: Create new pages and edit existing pages on Aston s website. Add different types

More information

How to use Excel Spreadsheets for Graphing

How to use Excel Spreadsheets for Graphing How to use Excel Spreadsheets for Graphing 1. Click on the Excel Program on the Desktop 2. You will notice that a screen similar to the above screen comes up. A spreadsheet is divided into Columns (A,

More information

Pre-Lab Excel Problem

Pre-Lab Excel Problem Pre-Lab Excel Problem Read and follow the instructions carefully! Below you are given a problem which you are to solve using Excel. If you have not used the Excel spreadsheet a limited tutorial is given

More information

CIS 231 Windows 7 Install Lab #2

CIS 231 Windows 7 Install Lab #2 CIS 231 Windows 7 Install Lab #2 1) To avoid certain problems later in the lab, use Chrome as your browser: open this url: https://vweb.bristolcc.edu 2) Here again, to avoid certain problems later in the

More information

Scientific Graphing in Excel 2013

Scientific Graphing in Excel 2013 Scientific Graphing in Excel 2013 When you start Excel, you will see the screen below. Various parts of the display are labelled in red, with arrows, to define the terms used in the remainder of this overview.

More information

2 Getting Started. Getting Started (v1.8.6) 3/5/2007

2 Getting Started. Getting Started (v1.8.6) 3/5/2007 2 Getting Started Java will be used in the examples in this section; however, the information applies to all supported languages for which you have installed a compiler (e.g., Ada, C, C++, Java) unless

More information

Keep Track of Your Passwords Easily

Keep Track of Your Passwords Easily Keep Track of Your Passwords Easily K 100 / 1 The Useful Free Program that Means You ll Never Forget a Password Again These days, everything you do seems to involve a username, a password or a reference

More information

Visual Physics Introductory Lab [Lab 0]

Visual Physics Introductory Lab [Lab 0] Your Introductory Lab will guide you through the steps necessary to utilize state-of-the-art technology to acquire and graph data of mechanics experiments. Throughout Visual Physics, you will be using

More information

CSCI 201 Lab 1 Environment Setup

CSCI 201 Lab 1 Environment Setup CSCI 201 Lab 1 Environment Setup "The journey of a thousand miles begins with one step." - Lao Tzu Introduction This lab document will go over the steps to install and set up Eclipse, which is a Java integrated

More information

5. LAPTOP PROCEDURES

5. LAPTOP PROCEDURES 5. LAPTOP PROCEDURES Introduction This next section of the user guide will identify core essentials regarding your laptop turning it on, running the program, running the questionnaire, submitting the data,

More information

Lab 1: Accessing the Linux Operating System Spring 2009

Lab 1: Accessing the Linux Operating System Spring 2009 CIS 90 Linux Lab Exercise Lab 1: Accessing the Linux Operating System Spring 2009 Lab 1: Accessing the Linux Operating System This lab takes a look at UNIX through an online experience on an Ubuntu Linux

More information

Graphical Analysis of Data using Microsoft Excel [2016 Version]

Graphical Analysis of Data using Microsoft Excel [2016 Version] Graphical Analysis of Data using Microsoft Excel [2016 Version] Introduction In several upcoming labs, a primary goal will be to determine the mathematical relationship between two variable physical parameters.

More information

Microsoft Excel 2007 Lesson 7: Charts and Comments

Microsoft Excel 2007 Lesson 7: Charts and Comments Microsoft Excel 2007 Lesson 7: Charts and Comments Open Example.xlsx if it is not already open. Click on the Example 3 tab to see the worksheet for this lesson. This is essentially the same worksheet that

More information

Excel Primer CH141 Fall, 2017

Excel Primer CH141 Fall, 2017 Excel Primer CH141 Fall, 2017 To Start Excel : Click on the Excel icon found in the lower menu dock. Once Excel Workbook Gallery opens double click on Excel Workbook. A blank workbook page should appear

More information

Technical Documentation Version 7.3 Scenario Management

Technical Documentation Version 7.3 Scenario Management Technical Documentation Version 7.3 Scenario Management These documents are copyrighted by the Regents of the University of Colorado. No part of this document may be reproduced, stored in a retrieval system,

More information

Assignment 1. Application Development

Assignment 1. Application Development Application Development Assignment 1 Content Application Development Day 1 Lecture The lecture provides an introduction to programming, the concept of classes and objects in Java and the Eclipse development

More information

UNIT 3 EXPRESSIONS AND EQUATIONS Lesson 3: Creating Quadratic Equations in Two or More Variables

UNIT 3 EXPRESSIONS AND EQUATIONS Lesson 3: Creating Quadratic Equations in Two or More Variables Guided Practice Example 1 Find the y-intercept and vertex of the function f(x) = 2x 2 + x + 3. Determine whether the vertex is a minimum or maximum point on the graph. 1. Determine the y-intercept. The

More information

Note that ALL of these points are Intercepts(along an axis), something you should see often in later work.

Note that ALL of these points are Intercepts(along an axis), something you should see often in later work. SECTION 1.1: Plotting Coordinate Points on the X-Y Graph This should be a review subject, as it was covered in the prerequisite coursework. But as a reminder, and for practice, plot each of the following

More information

Getting Started with Python and the PyCharm IDE

Getting Started with Python and the PyCharm IDE New York University School of Continuing and Professional Studies Division of Programs in Information Technology Getting Started with Python and the PyCharm IDE Please note that if you already know how

More information

Chemistry 1A Graphing Tutorial CSUS Department of Chemistry

Chemistry 1A Graphing Tutorial CSUS Department of Chemistry Chemistry 1A Graphing Tutorial CSUS Department of Chemistry Please go to the Lab webpage to download your own copy for reference. 1 When you open Microsoft Excel 2003, you will see a blank worksheet: Enter

More information