Lab 2 Functions and Antibiotics

Size: px
Start display at page:

Download "Lab 2 Functions and Antibiotics"

Transcription

1 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 data. We will consider the relationship between dosage and efficiency during antibiotic treatment of an infection. During the course of the lab you will learn two new commands: function() and rep(). First, you will learn how to define and use functions in R. You will then use this knowledge to plot a given model and see how it relates to experimental data. New commands function() defines a function and it s inputs rep() creates a vector with repeated entries, i.e. (1,1,1,1,1) Introduction to Functions in R During last week s lab we learned how to create input and output vectors in order to plot functions. There is actually an easier way to do this! We can explicitly define functions in R using the function command. Recall that last week we plotted the line f(x) = 2*x + 1 using the following code. We first defined the slope and y-intercept. > m = 2 > b = 1 Next we defined the input vector. > x = 1:5 Then we defined the output vector using the function f(x) = m*x + b. > f = m*x + b Finally we plotted the result. > plot(x,f,type = o ) Now let s see how we can do this using function definitions. Instead of just defining an output vector f, we will define the actual function which can be used to give us multiple outputs. Let s call this function F. > F = function(input){m*input + b} Let s talk through the pieces of this definition. In the parentheses we put our input which for now I have called input. Inside the curly brackets we put the formula for what we are going to do to the input to get output. In this case we are plotting a line and using the slope-intercept form of a line as our formula to get output. NOTE: remember variables can be called anything you would like as long as you are consistent within the function definition. We could have also defined the function in this way. > F = function(x){m*x + b}

2 So now let s see why this is useful. Imagine we want to know the output when our input = 1. > F(1) This gives the output when our input is one. Before when we wanted to plug in the value of 1 for our input we typed the following. > m*1 + b Function definitions make evaluating functions for given values much easier. We can also easily define a set of input and output vectors very simply in order to plot them. > x = 1:5 > f = F(x) > plot(x,f,type= o ) Now let s change the input vector to see a different part of the line. > x = -10:0 > plot(x,f(x),type= o ) We can even call the function F inside the plot command to simplify our life more since we know F(x) will give us the output values we want. What if we want to plot a different line by changing the values of m and b. Since m and b are included in our definition of F, this is very simple. First redefine m and b. Then just replot the function. > m = -1 > b = 0 > plot(x,f(x),type= o ) As you can see, R knows just how to handle this since we have used functions. We only had to define our function once and then it becomes simple to evaluate and plot the function as we change parameters or change the vector of input values. In the lecture you discussed point-slope forms of lines by using a function of the following form. Here we must define the parameters and to plot this line. Try using the following parameters. > m = -65 > x0 = 8 > y0 = 305 Define your input vector, x. > x = 8:13 Define the point-slope function. > F = function(x){m*(x-x0)+y0} Plot the function > plot(x,f(x),type= o ) What could this line represent? Give an interpretation that could relate to everyday life.

3 Let s try one more function to make sure we get it. This time we will plot a parabola which has three parameters: a,h, and k. For fun we will let our input be called w. > a = 1 > h = 0 > k = 0 > parabola = function(w){a*(w-h)^2+k} First let s evaluate our function parabola at a couple points and see what we get. > parabola(-3) > parabola(2) Let s define a new input vector over which to plot this parabola. We ll call this input vector y. > y = seq(from=-3, to = 3, by =.1) > plot(y,parabola(y),type = o ) There is our parabola! Change the values of the parameters and see what happens to the parabola. If you have any questions with function definitions or how to use them please ask now. Biology Background Physicians treat many patients for otitis media, commonly known as an ear infection. When the middle ear becomes infected with bacteria it can cause pressure and pain. Bacteria such as Streptococcus pneumonia or Pseudomona aeruginosa may be the culprits behind painful earaches. As you know, antibiotics are used to treat bacterial infections. Amoxicillin is often prescribed to children and adults for such infections. Amoxicillin inhibits the synthesis of the cell wall in bacteria which ultimately kills the bacteria. It has been proven a very effective medication for treating otitis media. A natural question to ask is how does antibiotic dosage affect the amount of bacteria killed? This can be thought of as antibiotic efficacy. How much antibiotic is needed to efficiently kill the bacteria causing an infection? If you give a patient 250mg of amoxicillin, how many bacteria will that kill? How about if you give them a dose of 500mg? Will that kill twice as much as a dose of 250mg? Take a minute to think about what a plot might look like if you were to draw it on the following figure.

4 Model describing Antibiotic Efficacy We will use the following function to describe antibiotic efficacy. In this equations our input, d, represents the dose of antibiotic and the output, E(d), is how we will measure efficacy, the number of bacteria killed in response to the antibiotic. There are two parameters in this equation: M and k. Let s define this function in R and plot it to see what it looks like. Before the function definition, define the parameters as shown. > M = 50 > k = 5 > E = function(d){m*d^2/(k^2*m^2+d^2)} Let s first set up a blank plot of the appropriate size and label it. > plot(c(0,1100),c(0,90),type="n",ann=false) > title(main = "Antibiotic Efficacy",xlab = "Amoxicillin Dosage (mg)",ylab = "# of Dead Bacteria (*10^8)") Since our input values are dosages, we will define them to be in a realistic dosage range. Patients are generally described less than 1000 mg/day so we will set our dosage vector to range from 0 to > DoseVector = seq(from=0,to=1100,by=25) >lines(dosevector,e(dosevector),col= blue ) Think about this curve. Why is it a good model for antibiotic efficacy? Let s now see how our model relates to some sample data. Hypothetical Experiment Suppose a research lab conducted a study on the efficacy of amoxicillin. For six months, the lab monitored patients who present with otitis media. Each patient was given the following dose of amoxicillin for their first day of treatment. The amount of dead bacteria was recorded before treatment continued on the second day. The table below shows this data for 60 patients.

5 PATIENT DATA Dose # Dead Bacteria Dose # Dead Bacteria Dose # Dead Bacteria Dose # Dead Bacteria Let s add these data points to our plot in R. We will first plot the points for patients who were given 100mg. In order to do this we can use the rep() command to make a vector with repeated dosages. First let s see what rep() does. > rep(1,times=5) As you can see, this creates a vector with five ones. We will now use rep when plotting our data points since we have repeated dosages. > points(rep(100,times=15),c(5.13,6.21,9.22,8.99,9.35,9.97,6.63,6.95,7.32,4.77,4.83,5.2,3.81, 4.03,4.1),pch = 3) > points(rep(250,times=15),c(9.75,11.91,15.08,18.75,19.23,22.52,24.82,24.89,25,22.39,22.84, 23.74,19.27,20.07,20.81),pch = 3) > points(rep(500,times=15),c(7.36,9.01,15.12,23.74,26.93,28.08,40.13,41.4,42.57,47.74, 48.27,49.02,49.92,49.99,50),pch = 3) > points(rep(750,times=15),c(8.07,11.44,14.94,20.05,21.03,28.34,40.24,42.81,46.9,59.21, 59.76,60.25,67.55,68.26,69.77),pch = 3) You should now have your data points plotted as black + signs on your plot. Does our model(the blue curve) look like a good fit for the experimental data? Why or why not? What could be missing in our model? Why doesn t the data fit into the curve we plotted before?

6 STOP here and make sure you answer the questions before continuing!!! They will be needed for your report.

7 Our model has not taken into account body mass! The data we have been given in the table also does not tell us how big these patients were that were receiving the specified doses of amoxicillin. They could be infants or large sumo wrestlers. Our model actually does include body mass in the parameter, M, which we set to be 50 when we originally plotted our function. This body mass is measured in kilograms so what we have plotted so far represents a curve describing antibiotic efficacy for a person weighing 50kg or about 110 lbs. We now need to see how our model changes for different parameter values. We will add lines to our existing plot to show what the curves look like for different body masses. We will use the following values of mass to represent different groups of people and will plot each line in a different color. M = 10 Babies M = 25 Children M = 50 Small Adults M = 75 Medium Adults M = 100 Large Adults > M = 10 > lines(dosevector,e(dosevector), col=2) > M = 25 > lines(dosevector,e(dosevector), col = 3) > M = 50 > lines(dosevector,e(dosevector),col=4) > M = 75 > lines(dosevector,e(dosevector),col=5) > M = 100 > lines(dosevector,e(dosevector),col=6) We have now plotted curves for five different body masses. You can see that the curves for different body masses are very different which could account for the varying data points we plotted from the table given. Let s now look at a data table where we include the mass of patients. Dose mass #Dead Dose mass #Dead Dose mass #Dead Dose mass #Dead

8 We will now color code these points when plotting them according to their masses. Use the following color codes as shown in the table below. mass <= 20 Babies col = 2 20 < mass <= 40 Children col = 3 40 < mass <= 60 Small Adults col = 4 60 < mass <= 80 Medium Adults col = 5 80 < mass Large Adults col = 6 We will plot all the values for the baby masses first as an example of how to plot the other points. > points(c(100,100,100,250,250,250,500,500,500,750,750,750),c(5.3,6.21,9.22,9.75,11.91,15.08, 7.36,9.01,15.02,8.07,11.44,14.94),pch=3,col=2) You should now have your data points for baby masses plotted in red. >points(c(100,100,100,250,250,250,500,500,500,750,750,750),c(8.99,9.35,9.97,18.75,19.23, 22.52,23.74,26.93,28.08,20.05,21.03,28.34),pch=3,col=3) You should now have your data points for baby masses plotted in green. >points(c(100,100,100,250,250,250,500,500,500,750,750,750),c(6.63,6.95,7.32,24.82,24.89,25, 40.13,41.4,42.75,40.24,42.81,46.9),pch=3,col=4) You should now have your data points for small adult masses plotted in blue. Follow these examples to plot the data points for medium adults (light blue) and large adults (magenta). How does the data seem to match with our model now? Does it appear our model is a good fit for the data collected? What have you learned about models and how they relate to data from this lab?

Lab 1 Introduction to R

Lab 1 Introduction to R 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

More information

Why Use Graphs? Test Grade. Time Sleeping (Hrs) Time Sleeping (Hrs) Test Grade

Why Use Graphs? Test Grade. Time Sleeping (Hrs) Time Sleeping (Hrs) Test Grade Analyzing Graphs Why Use Graphs? It has once been said that a picture is worth a thousand words. This is very true in science. In science we deal with numbers, some times a great many numbers. These numbers,

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

1. The Normal Distribution, continued

1. The Normal Distribution, continued Math 1125-Introductory Statistics Lecture 16 10/9/06 1. The Normal Distribution, continued Recall that the standard normal distribution is symmetric about z = 0, so the area to the right of zero is 0.5000.

More information

Lesson 3 Practice Problems

Lesson 3 Practice Problems Name: Date: Lesson 3 Section 3.1: Linear Equations and Functions 1. Find the slope of the line that passes through the given points. Then determine if the line is increasing, decreasing or constant. Increasing,

More information

Graphing Linear Equations

Graphing Linear Equations Graphing Linear Equations Question 1: What is a rectangular coordinate system? Answer 1: The rectangular coordinate system is used to graph points and equations. To create the rectangular coordinate system,

More information

2.1 Transforming Linear Functions

2.1 Transforming Linear Functions 2.1 Transforming Linear Functions Before we begin looking at transforming linear functions, let s take a moment to review how to graph linear equations using slope intercept form. This will help us because

More information

Descriptive Statistics Descriptive statistics & pictorial representations of experimental data.

Descriptive Statistics Descriptive statistics & pictorial representations of experimental data. Psychology 312: Lecture 7 Descriptive Statistics Slide #1 Descriptive Statistics Descriptive statistics & pictorial representations of experimental data. In this lecture we will discuss descriptive statistics.

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

, etc. Let s work with the last one. We can graph a few points determined by this equation.

, etc. Let s work with the last one. We can graph a few points determined by this equation. 1. Lines By a line, we simply mean a straight curve. We will always think of lines relative to the cartesian plane. Consider the equation 2x 3y 4 = 0. We can rewrite it in many different ways : 2x 3y =

More information

Section 2.1 Graphs. The Coordinate Plane

Section 2.1 Graphs. The Coordinate Plane Section 2.1 Graphs The Coordinate Plane Just as points on a line can be identified with real numbers to form the coordinate line, points in a plane can be identified with ordered pairs of numbers to form

More information

GSE Algebra 1 Name Date Block. Unit 3b Remediation Ticket

GSE Algebra 1 Name Date Block. Unit 3b Remediation Ticket Unit 3b Remediation Ticket Question: Which function increases faster, f(x) or g(x)? f(x) = 5x + 8; two points from g(x): (-2, 4) and (3, 10) Answer: In order to compare the rate of change (roc), you must

More information

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

Name: Hour: Algebra. Unit 2. Booklet

Name: Hour: Algebra. Unit 2. Booklet Name: Hour: Algebra Unit 2 Booklet Finding Slope on a Graph 1 2 3 4 Finding Slope from points 1 2 3 4 1 VERTICAL LINE Equation: Slope: Horizontal and Vertical Lines Equation: Slope: HORIZONTAL LINE 2 Forms

More information

Experimental Design and Graphical Analysis of Data

Experimental Design and Graphical Analysis of Data Experimental Design and Graphical Analysis of Data A. Designing a controlled experiment When scientists set up experiments they often attempt to determine how a given variable affects another variable.

More information

SNAP Centre Workshop. Graphing Lines

SNAP Centre Workshop. Graphing Lines SNAP Centre Workshop Graphing Lines 45 Graphing a Line Using Test Values A simple way to linear equation involves finding test values, plotting the points on a coordinate plane, and connecting the points.

More information

3-1 Writing Linear Equations

3-1 Writing Linear Equations 3-1 Writing Linear Equations Suppose you have a job working on a monthly salary of $2,000 plus commission at a car lot. Your commission is 5%. What would be your pay for selling the following in monthly

More information

2.2 Graphs Of Functions. Copyright Cengage Learning. All rights reserved.

2.2 Graphs Of Functions. Copyright Cengage Learning. All rights reserved. 2.2 Graphs Of Functions Copyright Cengage Learning. All rights reserved. Objectives Graphing Functions by Plotting Points Graphing Functions with a Graphing Calculator Graphing Piecewise Defined Functions

More information

Bell Ringer Write each phrase as a mathematical expression. Thinking with Mathematical Models

Bell Ringer Write each phrase as a mathematical expression. Thinking with Mathematical Models Bell Ringer Write each phrase as a mathematical expression. 1. the sum of nine and eight 2. the sum of nine and a number 3. nine increased by a number x 4. fourteen decreased by a number p 5. the product

More information

Section 4.4: Parabolas

Section 4.4: Parabolas Objective: Graph parabolas using the vertex, x-intercepts, and y-intercept. Just as the graph of a linear equation y mx b can be drawn, the graph of a quadratic equation y ax bx c can be drawn. The graph

More information

W7 DATA ANALYSIS 2. Your graph should look something like that in Figure W7-2. It shows the expected bell shape of the Gaussian distribution.

W7 DATA ANALYSIS 2. Your graph should look something like that in Figure W7-2. It shows the expected bell shape of the Gaussian distribution. Drawing Simple Graphs W7 DATA ANALYSIS 2 In some experiments, large amounts of data may be recorded and manipulation is performed using computer software. Although sophisticated, specialist software exists

More information

Math 8 Honors Coordinate Geometry part 3 Unit Updated July 29, 2016

Math 8 Honors Coordinate Geometry part 3 Unit Updated July 29, 2016 Review how to find the distance between two points To find the distance between two points, use the Pythagorean theorem. The difference between is one leg and the difference between and is the other leg.

More information

Shorthand for values: variables

Shorthand for values: variables Chapter 2 Shorthand for values: variables 2.1 Defining a variable You ve typed a lot of expressions into the computer involving pictures, but every time you need a different picture, you ve needed to find

More information

9.1 Linear Inequalities in Two Variables Date: 2. Decide whether to use a solid line or dotted line:

9.1 Linear Inequalities in Two Variables Date: 2. Decide whether to use a solid line or dotted line: 9.1 Linear Inequalities in Two Variables Date: Key Ideas: Example Solve the inequality by graphing 3y 2x 6. steps 1. Rearrange the inequality so it s in mx ± b form. Don t forget to flip the inequality

More information

3-6 Lines in the Coordinate Plane

3-6 Lines in the Coordinate Plane 3-6 Lines in the Coordinate Plane Warm Up Lesson Presentation Lesson Quiz Geometry Warm Up Substitute the given values of m, x, and y into the equation y = mx + b and solve for b. 1. m = 2, x = 3, and

More information

Here are some of the more basic curves that we ll need to know how to do as well as limits on the parameter if they are required.

Here are some of the more basic curves that we ll need to know how to do as well as limits on the parameter if they are required. 1 of 10 23/07/2016 05:15 Paul's Online Math Notes Calculus III (Notes) / Line Integrals / Line Integrals - Part I Problems] [Notes] [Practice Problems] [Assignment Calculus III - Notes Line Integrals Part

More information

Functions. Copyright Cengage Learning. All rights reserved.

Functions. Copyright Cengage Learning. All rights reserved. Functions Copyright Cengage Learning. All rights reserved. 2.2 Graphs Of Functions Copyright Cengage Learning. All rights reserved. Objectives Graphing Functions by Plotting Points Graphing Functions with

More information

0.4 Family of Functions/Equations

0.4 Family of Functions/Equations 0.4 Family of Functions/Equations By a family of functions, we are referring to a function definition such as f(x) = mx + 2 for m = 2, 1, 1, 0, 1, 1, 2. 2 2 This says, work with all the functions obtained

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

Section 18-1: Graphical Representation of Linear Equations and Functions

Section 18-1: Graphical Representation of Linear Equations and Functions Section 18-1: Graphical Representation of Linear Equations and Functions Prepare a table of solutions and locate the solutions on a coordinate system: f(x) = 2x 5 Learning Outcome 2 Write x + 3 = 5 as

More information

Warm-Up Exercises. Find the x-intercept and y-intercept 1. 3x 5y = 15 ANSWER 5; y = 2x + 7 ANSWER ; 7

Warm-Up Exercises. Find the x-intercept and y-intercept 1. 3x 5y = 15 ANSWER 5; y = 2x + 7 ANSWER ; 7 Warm-Up Exercises Find the x-intercept and y-intercept 1. 3x 5y = 15 ANSWER 5; 3 2. y = 2x + 7 7 2 ANSWER ; 7 Chapter 1.1 Graph Quadratic Functions in Standard Form A quadratic function is a function that

More information

Section 2.2 Graphs of Linear Functions

Section 2.2 Graphs of Linear Functions Section. Graphs of Linear Functions Section. Graphs of Linear Functions When we are working with a new function, it is useful to know as much as we can about the function: its graph, where the function

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

MINI LESSON. Lesson 1a Introduction to Functions

MINI LESSON. Lesson 1a Introduction to Functions MINI LESSON Lesson 1a Introduction to Functions Lesson Objectives: 1. Define FUNCTION 2. Determine if data sets, graphs, statements, or sets of ordered pairs define functions 3. Use proper function notation

More information

Modesto City Schools. Secondary Math I. Module 1 Extra Help & Examples. Compiled by: Rubalcava, Christina

Modesto City Schools. Secondary Math I. Module 1 Extra Help & Examples. Compiled by: Rubalcava, Christina Modesto City Schools Secondary Math I Module 1 Extra Help & Examples Compiled by: Rubalcava, Christina 1.1 Ready, Set, Go! Ready Topic: Recognizing a solution to an equation. The solution to an equation

More information

Essential Questions. Key Terms. Algebra. Arithmetic Sequence

Essential Questions. Key Terms. Algebra. Arithmetic Sequence Linear Equations and Inequalities Introduction Average Rate of Change Coefficient Constant Rate of Change Continuous Discrete Domain End Behaviors Equation Explicit Formula Expression Factor Inequality

More information

Chapter 3 Analyzing Normal Quantitative Data

Chapter 3 Analyzing Normal Quantitative Data Chapter 3 Analyzing Normal Quantitative Data Introduction: In chapters 1 and 2, we focused on analyzing categorical data and exploring relationships between categorical data sets. We will now be doing

More information

Unit 2: Linear Functions

Unit 2: Linear Functions Unit 2: Linear Functions 2.1 Functions in General Functions Algebra is the discipline of mathematics that deals with functions. DEF. A function is, essentially, a pattern. This course deals with patterns

More information

Pre-Calculus Mr. Davis

Pre-Calculus Mr. Davis Pre-Calculus 2016-2017 Mr. Davis How to use a Graphing Calculator Applications: 1. Graphing functions 2. Analyzing a function 3. Finding zeroes (or roots) 4. Regression analysis programs 5. Storing values

More information

Section 7D Systems of Linear Equations

Section 7D Systems of Linear Equations Section 7D Systems of Linear Equations Companies often look at more than one equation of a line when analyzing how their business is doing. For example a company might look at a cost equation and a profit

More information

UNIT I READING: GRAPHICAL METHODS

UNIT I READING: GRAPHICAL METHODS UNIT I READING: GRAPHICAL METHODS One of the most effective tools for the visual evaluation of data is a graph. The investigator is usually interested in a quantitative graph that shows the relationship

More information

Information Services & Systems. The Cochrane Library. An introductory guide. Sarah Lawson Information Specialist (NHS Support)

Information Services & Systems. The Cochrane Library. An introductory guide. Sarah Lawson Information Specialist (NHS Support) Information Services & Systems The Cochrane Library An introductory guide Sarah Lawson Information Specialist (NHS Support) sarah.lawson@kcl.ac.uk April 2010 Contents 1. Coverage... 3 2. Planning your

More information

Math 182. Assignment #4: Least Squares

Math 182. Assignment #4: Least Squares Introduction Math 182 Assignment #4: Least Squares In any investigation that involves data collection and analysis, it is often the goal to create a mathematical function that fits the data. That is, a

More information

4.2 Linear Equations in Point-Slope Form

4.2 Linear Equations in Point-Slope Form 4.2 Linear Equations in Point-Slope Form Learning Objectives Write an equation in point-slope form. Graph an equation in point-slope form. Write a linear function in point-slope form. Solve real-world

More information

CCNY Math Review Chapter 2: Functions

CCNY Math Review Chapter 2: Functions CCN Math Review Chapter : Functions Section.1: Functions.1.1: How functions are used.1.: Methods for defining functions.1.3: The graph of a function.1.: Domain and range.1.5: Relations, functions, and

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

Advanced Algebra Chapter 3 - Note Taking Guidelines

Advanced Algebra Chapter 3 - Note Taking Guidelines Advanced Algebra Chapter 3 - Note Taking Guidelines 3.1 Constant-Increase or Constant-Decrease Situations 1. What type of function can always be used to model a Constant-Increase or Constant-Decrease Situations

More information

Continuity and Tangent Lines for functions of two variables

Continuity and Tangent Lines for functions of two variables Continuity and Tangent Lines for functions of two variables James K. Peterson Department of Biological Sciences and Department of Mathematical Sciences Clemson University April 4, 2014 Outline 1 Continuity

More information

Put the Graphs for Each Health Plan on the Same Graph

Put the Graphs for Each Health Plan on the Same Graph At the conclusion of the technology assignment on graphing the total annual cost, you had a graph of each of health insurance plans you are examining. In this technology assignment, you ll combine those

More information

August 29, Quad2b FactoredForm Graphing.notebook

August 29, Quad2b FactoredForm Graphing.notebook Quadratics 2b Quadratic Function: Graphing Factored Form Standards: F IF.4 & F IF.7 GLOs: #3 Complex Thinker Math Practice: Look for and make use of structure HW: WS #9 (graph on graph paper!) Learning

More information

26, 2016 TODAY'S AGENDA QUIZ

26, 2016 TODAY'S AGENDA QUIZ TODAY'S AGENDA - Complete Bell Ringer (in Canvas) - Complete Investigation 1 QUIZ (40 minutes) - Be sure your assignments from the week are complete (bell ringers, hw, makeup work) - Investigation 2.1

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

Exploring Fractals through Geometry and Algebra. Kelly Deckelman Ben Eggleston Laura Mckenzie Patricia Parker-Davis Deanna Voss

Exploring Fractals through Geometry and Algebra. Kelly Deckelman Ben Eggleston Laura Mckenzie Patricia Parker-Davis Deanna Voss Exploring Fractals through Geometry and Algebra Kelly Deckelman Ben Eggleston Laura Mckenzie Patricia Parker-Davis Deanna Voss Learning Objective and skills practiced Students will: Learn the three criteria

More information

Algebra (Linear Expressions & Equations)

Algebra (Linear Expressions & Equations) ACT Mathematics Fundamentals 1 with facts, examples, problems, and solutions Algebra (Linear Expressions & Equations) One might say that the two main goals of algebra are to 1) model real world situations

More information

Laboratory One Distance and Time

Laboratory One Distance and Time Laboratory One Distance and Time Student Laboratory Description Distance and Time I. Background When an object is propelled upwards, its distance above the ground as a function of time is described by

More information

Exponential Functions

Exponential Functions 6. Eponential Functions Essential Question What are some of the characteristics of the graph of an eponential function? Eploring an Eponential Function Work with a partner. Cop and complete each table

More information

5.5 Completing the Square for the Vertex

5.5 Completing the Square for the Vertex 5.5 Completing the Square for the Vertex Having the zeros is great, but the other key piece of a quadratic function is the vertex. We can find the vertex in a couple of ways, but one method we ll explore

More information

Objective. m y 1 y = x 1 x 2

Objective. m y 1 y = x 1 x 2 Objective Use the CellSheet App to approximate the slope of a line tangent to a curve Activity 6 Introduction The Slope of the Tangent Line (Part 1) You have learned that the equation y = mx + b is a linear

More information

Describe the Squirt Studio Open Office Version

Describe the Squirt Studio Open Office Version Name: Recitation: Describe the Squirt Studio Open Office Version Most of this studio is done with a java applet online. There is one problem where you need to carry out a quadratic regression. Unfortunately,

More information

Section 1.5. Finding Linear Equations

Section 1.5. Finding Linear Equations Section 1.5 Finding Linear Equations Using Slope and a Point to Find an Equation of a Line Example Find an equation of a line that has slope m = 3 and contains the point (2, 5). Solution Substitute m =

More information

The first thing we ll need is some numbers. I m going to use the set of times and drug concentration levels in a patient s bloodstream given below.

The first thing we ll need is some numbers. I m going to use the set of times and drug concentration levels in a patient s bloodstream given below. Graphing in Excel featuring Excel 2007 1 A spreadsheet can be a powerful tool for analyzing and graphing data, but it works completely differently from the graphing calculator that you re used to. If you

More information

Derivatives and Graphs of Functions

Derivatives and Graphs of Functions Derivatives and Graphs of Functions September 8, 2014 2.2 Second Derivatives, Concavity, and Graphs In the previous section, we discussed how our derivatives can be used to obtain useful information about

More information

IMPORTANT WORDS TO KNOW UNIT 1

IMPORTANT WORDS TO KNOW UNIT 1 IMPORTANT WORDS TO KNOW UNIT READ THESE WORDS ALOUD THREE TIMES WITH YOUR TEACHER! Chapter. equation. integer 3. greater than 4. positive 5. negative 6. operation 7. solution 8. variable Chapter. ordered

More information

Algebra I Summer Math Packet

Algebra I Summer Math Packet 01 Algebra I Summer Math Packet DHondtT Grosse Pointe Public Schools 5/0/01 Evaluate the power. 1.. 4. when = Write algebraic epressions and algebraic equations. Use as the variable. 4. 5. 6. the quotient

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

Quadratic Functions CHAPTER. 1.1 Lots and Projectiles Introduction to Quadratic Functions p. 31

Quadratic Functions CHAPTER. 1.1 Lots and Projectiles Introduction to Quadratic Functions p. 31 CHAPTER Quadratic Functions Arches are used to support the weight of walls and ceilings in buildings. Arches were first used in architecture by the Mesopotamians over 4000 years ago. Later, the Romans

More information

Unit I Reading Graphical Methods

Unit I Reading Graphical Methods Unit I Reading Graphical Methods One of the most effective tools for the visual evaluation of data is a graph. The investigator is usually interested in a quantitative graph that shows the relationship

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

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

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

Pre-Algebra Notes Unit 8: Graphs and Functions

Pre-Algebra Notes Unit 8: Graphs and Functions Pre-Algebra Notes Unit 8: Graphs and Functions The Coordinate Plane A coordinate plane is formed b the intersection of a horizontal number line called the -ais and a vertical number line called the -ais.

More information

8.5 Quadratic Functions and Their Graphs

8.5 Quadratic Functions and Their Graphs CHAPTER 8 Quadratic Equations and Functions 8. Quadratic Functions and Their Graphs S Graph Quadratic Functions of the Form f = + k. Graph Quadratic Functions of the Form f = - h. Graph Quadratic Functions

More information

: Intro Programming for Scientists and Engineers Assignment 1: Turtle Graphics

: Intro Programming for Scientists and Engineers Assignment 1: Turtle Graphics Assignment 1: Turtle Graphics Page 1 600.112: Intro Programming for Scientists and Engineers Assignment 1: Turtle Graphics Peter H. Fröhlich phf@cs.jhu.edu Joanne Selinski joanne@cs.jhu.edu Due Date: Wednesdays

More information

Algebra II Notes Unit Two: Linear Equations and Functions

Algebra II Notes Unit Two: Linear Equations and Functions Syllabus Objectives:.1 The student will differentiate between a relation and a function.. The student will identify the domain and range of a relation or function.. The student will derive a function rule

More information

2018 PRE-CAL PAP SUMMER REVIEW

2018 PRE-CAL PAP SUMMER REVIEW NAME: DATE: 018 PRE-CAL PAP SUMMER REVIEW ***Due August 1 st *** Email To: Schmidtam@needvilleisd.com or Drop off & put in my box at the High School You can see this site for help: https://www.khanacademy.org/math/algebra

More information

Standardized Tests: Best Practices for the TI-Nspire CX

Standardized Tests: Best Practices for the TI-Nspire CX The role of TI technology in the classroom is intended to enhance student learning and deepen understanding. However, efficient and effective use of graphing calculator technology on high stakes tests

More information

NOTES: ALGEBRA FUNCTION NOTATION

NOTES: ALGEBRA FUNCTION NOTATION STARTER: 1. Graph f by completing the table. f, y -1 0 1 4 5 NOTES: ALGEBRA 4.1 FUNCTION NOTATION y. Graph f 4 4 f 4 4, y --5-4 - - -1 0 1 y A Brief Review of Function Notation We will be using function

More information

Slide 1 / 220. Linear Relations and Functions

Slide 1 / 220. Linear Relations and Functions Slide 1 / 220 Linear Relations and Functions Slide 2 / 220 Table of Contents Domain and Range Discrete v Continuous Relations and Functions Function Notation Linear Equations Graphing a Linear Equation

More information

4-1 (Part 2) Graphing Quadratics, Interpreting Parabolas

4-1 (Part 2) Graphing Quadratics, Interpreting Parabolas 4-1 (Part 2) Graphing Quadratics, Interpreting Parabolas Objectives Students will be able to: Find the vertex and y-intercept of a parabola Graph a parabola Use quadratic models to analyze problem situations.

More information

Tangent line problems

Tangent line problems You will find lots of practice problems and homework problems that simply ask you to differentiate. The following examples are to illustrate some of the types of tangent line problems that you may come

More information

Mathematics of Data. INFO-4604, Applied Machine Learning University of Colorado Boulder. September 5, 2017 Prof. Michael Paul

Mathematics of Data. INFO-4604, Applied Machine Learning University of Colorado Boulder. September 5, 2017 Prof. Michael Paul Mathematics of Data INFO-4604, Applied Machine Learning University of Colorado Boulder September 5, 2017 Prof. Michael Paul Goals In the intro lecture, every visualization was in 2D What happens when we

More information

Unit 1, Lesson 1: Moving in the Plane

Unit 1, Lesson 1: Moving in the Plane Unit 1, Lesson 1: Moving in the Plane Let s describe ways figures can move in the plane. 1.1: Which One Doesn t Belong: Diagrams Which one doesn t belong? 1.2: Triangle Square Dance m.openup.org/1/8-1-1-2

More information

Lab 2B Parametrizing Surfaces Math 2374 University of Minnesota Questions to:

Lab 2B Parametrizing Surfaces Math 2374 University of Minnesota   Questions to: Lab_B.nb Lab B Parametrizing Surfaces Math 37 University of Minnesota http://www.math.umn.edu/math37 Questions to: rogness@math.umn.edu Introduction As in last week s lab, there is no calculus in this

More information

Objectives. Materials

Objectives. Materials Activity 13 Objectives Understand what a slope field represents in terms of Create a slope field for a given differential equation Materials TI-84 Plus / TI-83 Plus Graph paper Introduction One of the

More information

More Ways to Solve & Graph Quadratics The Square Root Property If x 2 = a and a R, then x = ± a

More Ways to Solve & Graph Quadratics The Square Root Property If x 2 = a and a R, then x = ± a More Ways to Solve & Graph Quadratics The Square Root Property If x 2 = a and a R, then x = ± a Example: Solve using the square root property. a) x 2 144 = 0 b) x 2 + 144 = 0 c) (x + 1) 2 = 12 Completing

More information

STANDARDS OF LEARNING CONTENT REVIEW NOTES ALGEBRA I. 2 nd Nine Weeks,

STANDARDS OF LEARNING CONTENT REVIEW NOTES ALGEBRA I. 2 nd Nine Weeks, STANDARDS OF LEARNING CONTENT REVIEW NOTES ALGEBRA I 2 nd Nine Weeks, 2016-2017 1 OVERVIEW Algebra I Content Review Notes are designed by the High School Mathematics Steering Committee as a resource for

More information

Graphing Linear Equations

Graphing Linear Equations Graphing Linear Equations A.REI.10 Understand that the graph of an equation in two variables is the set of all its solutions plotted in the coordinate plane. What am I learning today? How to graph a linear

More information

6.6 Cables: Uniform Loads

6.6 Cables: Uniform Loads 6.6 Cables: Uniform Loads 6.6 Cables: Uniform Loads Procedures and Strategies, page 1 of 3 Procedures and Strategies for Solving Problems Involving Cables With Uniform Loads 1. Draw a free-body diagram

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

ENV Laboratory 2: Graphing

ENV Laboratory 2: Graphing Name: Date: Introduction It is often said that a picture is worth 1,000 words, or for scientists we might rephrase it to say that a graph is worth 1,000 words. Graphs are most often used to express data

More information

DOWNLOAD PDF BIG IDEAS MATH VERTICAL SHRINK OF A PARABOLA

DOWNLOAD PDF BIG IDEAS MATH VERTICAL SHRINK OF A PARABOLA Chapter 1 : BioMath: Transformation of Graphs Use the results in part (a) to identify the vertex of the parabola. c. Find a vertical line on your graph paper so that when you fold the paper, the left portion

More information

ES-2 Lecture: Fitting models to data

ES-2 Lecture: Fitting models to data ES-2 Lecture: Fitting models to data Outline Motivation: why fit models to data? Special case (exact solution): # unknowns in model =# datapoints Typical case (approximate solution): # unknowns in model

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

Unit 6 Quadratic Functions

Unit 6 Quadratic Functions Unit 6 Quadratic Functions 12.1 & 12.2 Introduction to Quadratic Functions What is A Quadratic Function? How do I tell if a Function is Quadratic? From a Graph The shape of a quadratic function is called

More information

Math 3 Coordinate Geometry part 1 Unit November 3, 2016

Math 3 Coordinate Geometry part 1 Unit November 3, 2016 Reviewing the basics The number line A number line is a visual representation of all real numbers. Each of the images below are examples of number lines. The top left one includes only positive whole numbers,

More information

Unit #19 : Level Curves, Partial Derivatives

Unit #19 : Level Curves, Partial Derivatives Unit #19 : Level Curves, Partial Derivatives Goals: To learn how to use and interpret contour diagrams as a way of visualizing functions of two variables. To study linear functions of two variables. To

More information

Algebra Unit 2: Linear Functions Notes. Slope Notes. 4 Types of Slope. Slope from a Formula

Algebra Unit 2: Linear Functions Notes. Slope Notes. 4 Types of Slope. Slope from a Formula Undefined Slope Notes Types of Slope Zero Slope Slope can be described in several ways: Steepness of a line Rate of change rate of increase or decrease Rise Run Change (difference) in y over change (difference)

More information

Graphing Quadratics: Vertex and Intercept Form

Graphing Quadratics: Vertex and Intercept Form Algebra : UNIT Graphing Quadratics: Verte and Intercept Form Date: Welcome to our second function famil...the QUADRATIC FUNCTION! f() = (the parent function) What is different between this function and

More information

Math 32, August 20: Review & Parametric Equations

Math 32, August 20: Review & Parametric Equations Math 3, August 0: Review & Parametric Equations Section 1: Review This course will continue the development of the Calculus tools started in Math 30 and Math 31. The primary difference between this course

More information

M3.1 Translate information between graphical, numerical and algebraic forms =

M3.1 Translate information between graphical, numerical and algebraic forms = Maths tutorial booklet for M3: Graphs Name: Target grade: Quiz scores: M3.1 Translate information between graphical, numerical and algebraic forms = M3.2 Plot two variables from experimental or other data

More information