0.1 Numerical Integration Rules Using Maple

Size: px
Start display at page:

Download "0.1 Numerical Integration Rules Using Maple"

Transcription

1 > restart; Numerical Integration Note: While reading this worksheet make sure that you re-execute each command by placing the cursor on the command line and pressing Enter. You should do this with every worksheet, but it is even more important with this one. If you don t re-execute commands defining the integration rulesleft, RIGHT, TRAP, MID, SIMP,Maple will not recognize them and you won t be able to solve your homework problems. You have to re-execute the commands in the same Maple session in which you do your homework. You have learned how to estimate definite integrals using left and right Riemann sums as well as three other methods: the trapezoid, midpoint and Simpson s rules. In certain situations it is possible to tell if your estimates are too high or too low without actually knowing the exact value of your integral. For example, if the function is concave up on the interval of integration, the trapezoid rule overestimates and the midpoint rule underestimates. In this worksheet we will explore some other aspects of these approximations. Refer to Sec.7.5, 7.6 of you textbook for background..1 Numerical Integration Rules Using Maple Maple has all the above mentioned rules of numerical integration programmed in. They are available in the student package. However, the rules in the student package are defined slightly differently than in our textbook. To be consistent with the text, we shall program Maple to calculate approximations corresponding to each of the rules the way our book does. Although you are not expected to learn Maple programming at this time, you may want to look at the structure of our little programs below. In these programs we defineproceduresin Maple for calculating the left and right Riemann sums, trapezoid approximation, midpoint approximation and Simpson s approximation, for any given function f, interval [a,b], and the number of subdivisions n. proc stands for procedure. In parentheses are the variablesf,a,b,nwhich we will have to specify each time we apply any of the procedures. The name local preceedinghanditells Maple that these variables are to be used as indicated in the procedure, and not to be confused with variables of the same name which may appear elsewhere. > LEFT:= proc (f,a,b,n) local h,i; h:=(b-a)/n; evalf(sum(f(a+i*h)*h,i=..(n-1))); end: > RIGHT:= proc (f,a,b,n) local h,i; h:=(b-a)/n; evalf(sum(f(a+i*h)*h,i=1..n)); end: > TRAP:= proc (f,a,b,n) evalf((left(f,a,b,n)+right(f,a,b,n))/2); end: > MID:= proc (f,a,b,n) local h,i; h:=(b-a)/n; evalf(sum(f(a+(i+1/2)*h)*h, i=..(n-1))); end:

2 > SIMP:= proc (f,a,b,n) evalf((2*mid(f,a,b,n)+trap(f,a,b,n))/3); end: Notice how these procedures reflect the mathematical definitions of the corresponding numerical integration rules. In order to apply each of the procedures defined above, you need to give your function aname, say: > w:=x->x^2; w := x x 2 To calculate the corresponding numerical approximation of an integral, for example w (x) dx, for, say, n =5 divisions, you use the following syntax: > LEFT(w,,1,5); > SIMP(w,,1,5); and so on.you have to give your function a name; the syntax LEFT(xˆ2,,1,5) will not work. (Do you see why by looking at the programs?) Once we have the rules of numerical integration programmed in, we can begin conducting numerical experimentation with Maple..2 The Errors in Midpoint and Trapezoid Approximations Let s choose an interesting function whose antiderivative cannot be found in simple terms. For example,f (x) = sin ( x 2). Let s define the function in Maple: > f:=x->sin(x^2); f := x sin ( x 2) Suppose we want to find the integral f (x) dx. For the purpose of error analysis, we ask Maple to find the exact value of the integral: > A:=Int(f(x),x=..1); ExactA:=value(A); A := ExactA := 1/2 FresnelS sin ( x 2) dx ( 2 π ) 2 π The exact value is in terms of some function Fresnel that we don t know. Let s use the command evalf, which by default will give us an approximation of the exact value to ten decimal places. Let it be our reference exact value. > exacta:=evalf(exacta); exacta :=

3 Let s explore the error of approximation for our integralausing the trapezoid and the midpoint rules for n=25 and n=5 divisions. Let s label the results of applying the trapezoid and midpoint rules by T1, T2, M1, M2, respectively. > T1:=TRAP(f,,1,25); T1 := > T2:=TRAP(f,,1,5); T2 := > M1:=MID(f,,1,25); M1 := > M2:=MID(f,,1,5); M2 := Recall that the error of an approximation is defined aserror = Exact value- Approximate value. Let s calculate the errors corresponding to the approximations that we obtained above. We label the errors aserrort1,errort2, etc. > ErrorT1:=exactA-T1; ErrorT2:=exactA-T2; ErrorT1 := ErrorT2 := > ErrorM1:=exactA-M1; ErrorM2:=exactA-M2; ErrorM1 := ErrorM2 := Observe that the midpoint errors are of the opposite sign than the corresponding trapezoid errors, and the magnitude of each midpoint error is, roughly, half of the magnitude of the corresponding trapezoid error. Indeed, let s calculate the corresponding ratios. More precisely, let s calculate the ratios of absolute values of errors as we are only interested in ratios of magnitudes of errors. The syntax for the absolute value is abs(errorm1), etc. > evalf(abs(errorm1)/abs(errort1)); evalf(abs(errorm2)/abs(errort2)); More numerical experimentation, with integrals of different functions over different intervals, confirms the above observation. This leads to the following rule. Rule of Thumb.For the same number of divisions, the magnitude of the midpoint erorr is, roughly, half the magnitude of the trapezoid error. If the concavity is constant, the signs of the midpoint and trapezoid errors are opposite. (See the discussion on page 352 of the book. There is a good theoretical reason why this rule of thumb holds.) Problem 1.Define the functiong (x) = 2 + x 2. Explore the validity of the above rule of thumb by using Maple to calculate TRAP(g,a,b,n), MID(g,a,b,n) for several values

4 of a,b,n. Calculate the corresponding exact values, the corresponding errors and quotients. Write a sentence or two describing your results. As you know, the Rule of Thumb above leads to yet another numerical scheme called the Simpson s rule..3 Speed of Convergence. The Effects of Doubling n on Errors The main question when studying a numerical method is how fast the approximation provided by the method converges to the exact value. One way to measure the speed of convergence for our numerical integration schemes is to see how the error decreases when we double the number of divisions n. Hence, for each of our rules of numerical integration we would like to answer the question: by whatratiodoes the error decrease when n is doubled? Below we investigate this question for the trapezoid rule. As our test example we shall use the same functionf (x) = sin ( x 2) and the integrala = f (x) dx as in the previous section. We shall calculate trapezoid approximations, corresponding errors and ratios for many values of n. It will be convenient to use so calledlists. Alistin Maple is a sequence of things separated by commas and enclosed by square brackets. The order of elements in a list matters. The latter distinguishes a list of elements from a set of elements. Let s define our list of n values and label it L.Observe that the next entry is obtained bydoublingthe previous one. > L:=[5,1,2,4,8,16]; L := [5, 1, 2, 4, 8, 16] For a given list,lwe use the syntaxl[i]to denote the i-th element of the list. For example > L[3]; L[4]; 2 4 Now we want to calculate the trapezoid approximations for our function f, a=, b=1, for all six values n from list L. Instead of typing six separate commands and labeling the results T1, T2, etc, we can calculate all six approximations at once and put them in a list. We shall label the list Ts. We obtain the list of approximations using the following syntax. > Ts:=[seq(TRAP(f,,1,L[i]),i=1..6)]; Ts := [ , , , , , ] Observe how we use the command seq, which stands for sequence, to evaluate TRAP(f,,1,L[i]) for all elements in the list L from i=1 to i=6. We

5 surround the seq command with square brackets so that the result is another list. We have obtained a listtsof values of trapezoid approximations corresponding to the six values of n from listl. Now we shall make a list of errors corresponding to values from the listts. The list of errors is labeled ErrorTs. Recall that our reference exact value of the integral A isexacta. > ErrorTs:=[seq(exactA-Ts[i],i=1..6)]; ErrorTs := [ ,.92599, , ,.14716,.35182] Finally, we want to set up the corresponding list of ratios of magnitudes of consecutive errors. Recall that these are the errors corresponding to values of n that are doubled at each step. > RatioErrorTs:=[seq(abs(ErrorTs[i])/abs(ErrorTs[i+1]),i=1..5)]; RatioErrorTs := [ , , , , ] What do these numbers tell us about the effects of doubling n on the error for the trapezoid rule? It seems that doubling n causes the magnitude of the error to decrease by the factor of 4. It is so in general. More numerical experimentation, with different functions on different intervals leads to the following rule of thumb. Rule of Thumb.For the trapezoid rule, doubling the number of divisions n causes the magnitute of the error to decrease by the factor of four. Problem 2.In this problem, use the same test functionf (x) = sin ( x 2) and integrala = f (x) dx as above. (a) Investigate the effects of doubling n on the error for the right rule RIGHT(f,a,b,n). Calculate the corresponding errors and ratios for a list of doubling values of n. Use lists in your work with Maple as in the above example. State your answer as a Rule of Thumb. (b) Find the errors for the Simpson s rule SIMP(f,a,b,n) for a list of doubling values of n. Note how small those values are. Do not attempt to calculate ratios of errors. Errors are so small that Maple s default setting of acuracy to ten decimal digits does not allow for a good comparison. There is a way to change the default setting, but we are not going to do it at this point. Problem 3.For the function and integral studiedabove, what do you think TRAP(f,,1,32) is? Give your answer based only on the values we computed above for TRAP(4), TRAP(8), and TRAP(16). Then use Maple to verify your answer. How close were you? Problem 4.For the midpoint rule, what is the effect on the error oftriplingn? Experiment with Maple to justify your answer. Note: If you choose for your experiments a function whose domain is not the whole real line, make sure that the interval of integration is contained in the domain, as it should be. Otherwise, you may cause the program to freeze solid! Problem 5. Suppose you have found TRAP(4) and TRAP(8) for a certain integral. Think of a way of combining these to get an estimate of the

6 integral which is more accurate than either one separately. Note that just averaging them might be an improvement, but maybe not. After all, TRAP(8) is likely to be more accurate, so why spoil it by averaging with TRAP(4). But consider that the error, exact - TRAP(4), is about 4 times as large as the error exact-trap(8). But we suppose you don t know the value of exact! You might use the preceding sentence as an equation to be solved for exact. Try and see. Compare your improved estimate with TRAP(4), TRAP(8) and Maple s exact value for the integral A =.4 Error Estimates in Terms of n sin ( x 2) dx calculated above. It turns out that with more careful analysis it can be shown that errors in the trapezoid, midpoint and Simpsons rules satisfy b (1) TRAP (g, a, b, n) g (x) dx a < C 1 n 2 b (2) MID (g, a, b, n) g (x) dx a < C 2 n 2 b (3) SIMP (g, a, b, n) g (x) dx a < C 3 n 4, wherec 1, C 2, C 3 are constants which depend on the particular function g and the interval [a,b]but do not depend on n. Unfortunately, the constants depend on features of higher derivatives and are usually not available to us. Observe, however, that whatever those constant are, formulas (1)-(3) above mean, roughly speaking, that, as n gets larger and larger, midpoint and trapezoid approximations converge to the actual value of the integral as fast as n 2 converges to, while the Simpson s approximations converge to the actual value as fast asn 4 converges to, that is, much faster. Do you see how estimates (1)-(3) explain the results obtained above about the effects of doubling n on the error?.5 Graphical Comparison of the Errors for Different Rules It is always helpful to represent your data graphically. In this section we shall graph errors corresponding to different numerical integration rules. To change pace and to reinforce our skills of working with lists, let s choose a different function to work with and a different list of values for n. Consider > g:=x->ln(1+x^2); g := x ln ( x ) > B:=Int(g(x),x=..2); value(b); B := 2 ln ( x ) dx

7 2 ln (5) arctan (2) Again, the actual exact value of the integral B is not very convenient for numerical work. Hence, we shall take as the exact value its ten digit approximation. > exactb:=evalf(value(b)); exactb := Define a new list of values for n and label the new list NL. > NL:=[1,2,3,4,5]; NL := [1, 2, 3, 4, 5] Now let s define the corresponding lists of errors for left, right, midpoint, trapezoid and Simpson s rules. > ErrorLeft:=[seq((exactB-LEFT(g,,2,NL[i])),i=1..5)]; ErrorLeft := [ , , , ,.32829] > ErrorRight:=[seq((exactB-RIGHT(g,,2,NL[i])),i=1..5)]; ErrorRight := [ , , , , ] > ErrorTrap:=[seq((exactB-TRAP(g,,2,NL[i])),i=1..5)]; ErrorTrap := [ , , , ,.16668] > ErrorMid:=[seq((exactB-MID(g,,2,NL[i])),i=1..5)]; ErrorMid := [ , , ,.83334,.53333] > ErrorSimp:=[seq((exactB-SIMP(g,,2,NL[i])),i=1..5)]; ErrorSimp := [.36,.3,.1,.1,.1] Observe that each of the above is alistof errors. To plot a list we need the listplot command that is contained in the plots package. We load the package. > with(plots): Since we have worked with the package before, we end our command with a colon so Maple doesn t display the content of the package. We want to plot some of the above lists of errors in one coordinate system, hence we shall label themlp1,lp2etc and then use the command display to plot groups of them together. Each individual command we end with a colon as we don t want individual plots shown. > lp1:=listplot(errorleft, color=red): > lp2:=listplot(errorright, color=blue): > lp3:=listplot(errortrap, color=black): > lp4:=listplot(errormid, color=green): > lp5:=listplot(errorsimp, color=magenta): If we try to display all of the above plots in one coordinate system, some of them would be barely visible or not visible at all. That is because errors

8 corresponding to left and right rules are very large in comparison with errors corresponding to other rules, so the graphs of the other rules would merge with the horizontal axis. Let s display them a few at a time. > display([lp1,lp2]); The above graph gives errors of the left and the right rules. As you see, the listplot command plots consecutive points from the list and joins them by segments. Below we display the errors of the midpoint and the trapezoid rules. Notice how much smaller the errors are. Observe also our rule of thumb at work: midpoint errors are of the opposite sign that trapezoid errors and about half of their magnitude. > display([lp3,lp4]);

9 Finally, we display the error for Simpson s rule. The values are so small that they wouldn t show up on any of the above graphs. > lp5; Actually, the errors of Simpson s rule approximation are so small and they approach zero so quickly that Maple switched to scientific notation for values on the vertical axis to display the graph. We shall not go into its meaning at this point. Let s just say that errors for Simpson s rule approach zero too quickly to visualize them!

10 Problem 6.For the functionk (x) = cos ( x ) and the integral 2 k (x) dx,listandplotthe errors for the left and right rules, and then for the midpoint and trapezoid rules for n=5, 1, 2, 4, 8..6 Homework Problems Your homework for this worksheet consists of Problems 1-6 above. Note.For this worksheet you will be better offnotusingtherestartcommand in your homework worksheet. If you do use the command, you have to copy and re-execute all the procedures defining LEFT, RIGHT, and other rules, as well as redefine the function f(x), reload the package with(plots), etc. MTH 142 Maple Worksheets written by B. Kaskosz and L. Pakula,Copyright Last modified August 1999.

The Bisection Method versus Newton s Method in Maple (Classic Version for Windows)

The Bisection Method versus Newton s Method in Maple (Classic Version for Windows) The Bisection Method versus (Classic Version for Windows) Author: Barbara Forrest Contact: baforres@uwaterloo.ca Copyrighted/NOT FOR RESALE version 1.1 Contents 1 Objectives for this Lab i 2 Approximate

More information

AP Calculus AB. a.) Midpoint rule with 4 subintervals b.) Trapezoid rule with 4 subintervals

AP Calculus AB. a.) Midpoint rule with 4 subintervals b.) Trapezoid rule with 4 subintervals AP Calculus AB Unit 6 Review Name: Date: Block: Section : RAM and TRAP.) Evaluate using Riemann Sums L 4, R 4 for the following on the interval 8 with four subintervals. 4.) Approimate ( )d using a.) Midpoint

More information

An interesting related problem is Buffon s Needle which was first proposed in the mid-1700 s.

An interesting related problem is Buffon s Needle which was first proposed in the mid-1700 s. Using Monte Carlo to Estimate π using Buffon s Needle Problem An interesting related problem is Buffon s Needle which was first proposed in the mid-1700 s. Here s the problem (in a simplified form). Suppose

More information

1 Maple Introduction. 1.1 Getting Started. 1.2 Maple Commands

1 Maple Introduction. 1.1 Getting Started. 1.2 Maple Commands 1 Maple Introduction 1.1 Getting Started The software package Maple is an example of a Computer Algebra System (CAS for short), meaning that it is capable of dealing with problems in symbolic form. This

More information

7.8. Approximate Integration

7.8. Approximate Integration 7.8. Approimate Integration Recall that when we originally defined the definite integral of a function interval, that we did so with the limit of a Riemann sum: on an where is the number of intervals that

More information

1 Programs for double integrals

1 Programs for double integrals > restart; Double Integrals IMPORTANT: This worksheet depends on some programs we have written in Maple. You have to execute these first. Click on the + in the box below, then follow the directions you

More information

Getting to Know Maple

Getting to Know Maple Maple Worksheets for rdinary Differential Equations Complimentary software to accompany the textbook: Differential Equations: Concepts, Methods, and Models (00-00 Edition) Leigh C. Becker Department of

More information

1 A Section A BRIEF TOUR. 1.1 Subsection Subsection 2

1 A Section A BRIEF TOUR. 1.1 Subsection Subsection 2 A BRIEF TOUR Maple V is a complete mathematical problem-solving environment that supports a wide variety of mathematical operations such as numerical analysis, symbolic algebra, and graphics. This worksheet

More information

MEI GeoGebra Tasks for AS Pure

MEI GeoGebra Tasks for AS Pure Task 1: Coordinate Geometry Intersection of a line and a curve 1. Add a quadratic curve, e.g. y = x 2 4x + 1 2. Add a line, e.g. y = x 3 3. Use the Intersect tool to find the points of intersection of

More information

4.7 Approximate Integration

4.7 Approximate Integration 4.7 Approximate Integration Some anti-derivatives are difficult to impossible to find. For example, 1 0 e x2 dx or 1 1 1 + x3 dx We came across this situation back in calculus I when we introduced the

More information

C1M0 Introduction to Maple Assignment Format C1M1 C1M1 Midn John Doe Section 1234 Beginning Maple Syntax any

C1M0 Introduction to Maple Assignment Format C1M1 C1M1 Midn John Doe Section 1234 Beginning Maple Syntax any CM0 Introduction to Maple Our discussion will focus on Maple 6, which was developed by Waterloo Maple Inc. in Waterloo, Ontario, Canada. Quoting from the Maple 6 Learning Guide, Maple is a Symbolic Computation

More information

INTRODUCTION TO DERIVE - by M. Yahdi

INTRODUCTION TO DERIVE - by M. Yahdi Math 111/112-Calculus I & II- Ursinus College INTRODUCTION TO DERIVE - by M. Yahdi This is a tutorial to introduce main commands of the Computer Algebra System DERIVE. You should do (outside of class)

More information

PRE-ALGEBRA PREP. Textbook: The University of Chicago School Mathematics Project. Transition Mathematics, Second Edition, Prentice-Hall, Inc., 2002.

PRE-ALGEBRA PREP. Textbook: The University of Chicago School Mathematics Project. Transition Mathematics, Second Edition, Prentice-Hall, Inc., 2002. PRE-ALGEBRA PREP Textbook: The University of Chicago School Mathematics Project. Transition Mathematics, Second Edition, Prentice-Hall, Inc., 2002. Course Description: The students entering prep year have

More information

Exercises for a Numerical Methods Course

Exercises for a Numerical Methods Course Exercises for a Numerical Methods Course Brian Heinold Department of Mathematics and Computer Science Mount St. Mary s University November 18, 2017 1 / 73 About the class Mix of Math and CS students, mostly

More information

MEI GeoGebra Tasks for A2 Core

MEI GeoGebra Tasks for A2 Core Task 1: Functions The Modulus Function 1. Plot the graph of y = x : use y = x or y = abs(x) 2. Plot the graph of y = ax+b : use y = ax + b or y = abs(ax+b) If prompted click Create Sliders. What combination

More information

7 th GRADE PLANNER Mathematics. Lesson Plan # QTR. 3 QTR. 1 QTR. 2 QTR 4. Objective

7 th GRADE PLANNER Mathematics. Lesson Plan # QTR. 3 QTR. 1 QTR. 2 QTR 4. Objective Standard : Number and Computation Benchmark : Number Sense M7-..K The student knows, explains, and uses equivalent representations for rational numbers and simple algebraic expressions including integers,

More information

MST30040 Differential Equations via Computer Algebra Fall 2010 Worksheet 1

MST30040 Differential Equations via Computer Algebra Fall 2010 Worksheet 1 MST3000 Differential Equations via Computer Algebra Fall 2010 Worksheet 1 1 Some elementary calculations To use Maple for calculating or problem solving, the basic method is conversational. You type a

More information

An Introduction to Maple and Maplets for Calculus

An Introduction to Maple and Maplets for Calculus An Introduction to Maple and Maplets for Calculus Douglas B. Meade Department of Mathematics University of South Carolina Columbia, SC 29208 USA URL: www.math.sc.edu/~meade e-mail: meade@math.sc.edu Philip

More information

Topic 6: Calculus Integration Volume of Revolution Paper 2

Topic 6: Calculus Integration Volume of Revolution Paper 2 Topic 6: Calculus Integration Standard Level 6.1 Volume of Revolution Paper 1. Let f(x) = x ln(4 x ), for < x

More information

height VUD x = x 1 + x x N N 2 + (x 2 x) 2 + (x N x) 2. N

height VUD x = x 1 + x x N N 2 + (x 2 x) 2 + (x N x) 2. N Math 3: CSM Tutorial: Probability, Statistics, and Navels Fall 2 In this worksheet, we look at navel ratios, means, standard deviations, relative frequency density histograms, and probability density functions.

More information

Problem #3 Daily Lessons and Assessments for AP* Calculus AB, A Complete Course Page Mark Sparks 2012

Problem #3 Daily Lessons and Assessments for AP* Calculus AB, A Complete Course Page Mark Sparks 2012 Problem # Daily Lessons and Assessments for AP* Calculus AB, A Complete Course Page 490 Mark Sparks 01 Finding Anti-derivatives of Polynomial-Type Functions If you had to explain to someone how to find

More information

Final Examination. Math1339 (C) Calculus and Vectors. December 22, :30-12:30. Sanghoon Baek. Department of Mathematics and Statistics

Final Examination. Math1339 (C) Calculus and Vectors. December 22, :30-12:30. Sanghoon Baek. Department of Mathematics and Statistics Math1339 (C) Calculus and Vectors December 22, 2010 09:30-12:30 Sanghoon Baek Department of Mathematics and Statistics University of Ottawa Email: sbaek@uottawa.ca MAT 1339 C Instructor: Sanghoon Baek

More information

Calculators ARE NOT Permitted On This Portion Of The Exam 28 Questions - 55 Minutes

Calculators ARE NOT Permitted On This Portion Of The Exam 28 Questions - 55 Minutes 1 of 11 1) Give f(g(1)), given that Calculators ARE NOT Permitted On This Portion Of The Exam 28 Questions - 55 Minutes 2) Find the slope of the tangent line to the graph of f at x = 4, given that 3) Determine

More information

Prime Time (Factors and Multiples)

Prime Time (Factors and Multiples) CONFIDENCE LEVEL: Prime Time Knowledge Map for 6 th Grade Math Prime Time (Factors and Multiples). A factor is a whole numbers that is multiplied by another whole number to get a product. (Ex: x 5 = ;

More information

Math 250A (Fall 2009) - Lab I: Estimate Integrals Numerically with Matlab. Due Date: Monday, September 21, INSTRUCTIONS

Math 250A (Fall 2009) - Lab I: Estimate Integrals Numerically with Matlab. Due Date: Monday, September 21, INSTRUCTIONS Math 250A (Fall 2009) - Lab I: Estimate Integrals Numerically with Matlab Due Date: Monday, September 21, 2009 4:30 PM 1. INSTRUCTIONS The primary purpose of this lab is to understand how go about numerically

More information

1. Fill in the right hand side of the following equation by taking the derivative: (x sin x) =

1. Fill in the right hand side of the following equation by taking the derivative: (x sin x) = 7.1 What is x cos x? 1. Fill in the right hand side of the following equation by taking the derivative: (x sin x = 2. Integrate both sides of the equation. Instructor: When instructing students to integrate

More information

Grade 5 Math Performance Rubric

Grade 5 Math Performance Rubric 5 Grade 5 Math Performance Rubric Math Content Areas Operations and Algebraic Thinking Numbers and Operations in Base Ten Numbers and Operations Fractions Measurement and Data Geometry Operations and Algebraic

More information

Functions and Graphs. The METRIC Project, Imperial College. Imperial College of Science Technology and Medicine, 1996.

Functions and Graphs. The METRIC Project, Imperial College. Imperial College of Science Technology and Medicine, 1996. Functions and Graphs The METRIC Project, Imperial College. Imperial College of Science Technology and Medicine, 1996. Launch Mathematica. Type

More information

Basic stuff -- assignments, arithmetic and functions

Basic stuff -- assignments, arithmetic and functions Basic stuff -- assignments, arithmetic and functions Most of the time, you will be using Maple as a kind of super-calculator. It is possible to write programs in Maple -- we will do this very occasionally,

More information

Supplemental 1.5. Objectives Interval Notation Increasing & Decreasing Functions Average Rate of Change Difference Quotient

Supplemental 1.5. Objectives Interval Notation Increasing & Decreasing Functions Average Rate of Change Difference Quotient Supplemental 1.5 Objectives Interval Notation Increasing & Decreasing Functions Average Rate of Change Difference Quotient Interval Notation Many times in this class we will only want to talk about what

More information

4 Visualization and. Approximation

4 Visualization and. Approximation 4 Visualization and Approximation b A slope field for the differential equation y tan(x + y) tan(x) tan(y). It is not always possible to write down an explicit formula for the solution to a differential

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

Approximate First and Second Derivatives

Approximate First and Second Derivatives MTH229 Project 6 Exercises Approximate First and Second Derivatives NAME: SECTION: INSTRUCTOR: Exercise 1: Let f(x) = sin(x 2 ). We wish to find the derivative of f when x = π/4. a. Make a function m-file

More information

Lab#1: INTRODUCTION TO DERIVE

Lab#1: INTRODUCTION TO DERIVE Math 111-Calculus I- Fall 2004 - Dr. Yahdi Lab#1: INTRODUCTION TO DERIVE This is a tutorial to learn some commands of the Computer Algebra System DERIVE. Chapter 1 of the Online Calclab-book (see my webpage)

More information

INDEX INTRODUCTION...1

INDEX INTRODUCTION...1 Welcome to Maple Maple is a comprehensive computer system for advanced mathematics. It includes facilities for interactive algebra, pre-calculus, calculus, discrete mathematics, graphics, numerical computation

More information

6th Grade Report Card Mathematics Skills: Students Will Know/ Students Will Be Able To...

6th Grade Report Card Mathematics Skills: Students Will Know/ Students Will Be Able To... 6th Grade Report Card Mathematics Skills: Students Will Know/ Students Will Be Able To... Report Card Skill: Use ratio reasoning to solve problems a ratio compares two related quantities ratios can be

More information

Computational Mathematics/Information Technology. Worksheet 2 Iteration and Excel

Computational Mathematics/Information Technology. Worksheet 2 Iteration and Excel Computational Mathematics/Information Technology Worksheet 2 Iteration and Excel This sheet uses Excel and the method of iteration to solve the problem f(x) = 0. It introduces user functions and self referencing

More information

Graphing Calculator Tutorial

Graphing Calculator Tutorial Graphing Calculator Tutorial This tutorial is designed as an interactive activity. The best way to learn the calculator functions will be to work the examples on your own calculator as you read the tutorial.

More information

Exam 2 Review. 2. What the difference is between an equation and an expression?

Exam 2 Review. 2. What the difference is between an equation and an expression? Exam 2 Review Chapter 1 Section1 Do You Know: 1. What does it mean to solve an equation? 2. What the difference is between an equation and an expression? 3. How to tell if an equation is linear? 4. How

More information

MAT 003 Brian Killough s Instructor Notes Saint Leo University

MAT 003 Brian Killough s Instructor Notes Saint Leo University MAT 003 Brian Killough s Instructor Notes Saint Leo University Success in online courses requires self-motivation and discipline. It is anticipated that students will read the textbook and complete sample

More information

A Mathematica Tutorial

A Mathematica Tutorial A Mathematica Tutorial -3-8 This is a brief introduction to Mathematica, the symbolic mathematics program. This tutorial is generic, in the sense that you can use it no matter what kind of computer you

More information

Introduction to Classic Maple by David Maslanka

Introduction to Classic Maple by David Maslanka Introduction to Classic Maple by David Maslanka Maple is a computer algebra system designed to do mathematics. Symbolic, numerical and graphical computations can all be done with Maple. Maple's treatment

More information

Calculus II - Problem Solving Drill 23: Graphing Utilities in Calculus

Calculus II - Problem Solving Drill 23: Graphing Utilities in Calculus Calculus II - Problem Solving Drill 3: Graphing Utilities in Calculus Question No. 1 of 10 Question 1. Find the approximate maximum point of y = x + 5x + 9. Give your answer correct to two decimals. Question

More information

Properties and Definitions

Properties and Definitions Section 0.1 Contents: Operations Defined Multiplication as an Abbreviation Visualizing Multiplication Commutative Properties Parentheses Associative Properties Identities Zero Product Answers to Exercises

More information

Math 382: Scientific Computing 1. Intro to Maple

Math 382: Scientific Computing 1. Intro to Maple Math 382: Scientific Computing 1 Intro to Maple Preliminaries Start Maple from the Start button -> Programs -> Math -> Maple 11.0 -> Maple 11. Go to the Tools menu and select Options. A dialog window will

More information

EE 301 Signals & Systems I MATLAB Tutorial with Questions

EE 301 Signals & Systems I MATLAB Tutorial with Questions EE 301 Signals & Systems I MATLAB Tutorial with Questions Under the content of the course EE-301, this semester, some MATLAB questions will be assigned in addition to the usual theoretical questions. This

More information

LECTURE 0: Introduction and Background

LECTURE 0: Introduction and Background 1 LECTURE 0: Introduction and Background September 10, 2012 1 Computational science The role of computational science has become increasingly significant during the last few decades. It has become the

More information

c x y f() f (x) Determine the Determine the Approximate c : Replacin on the AP exam: under-approximation

c x y f() f (x) Determine the Determine the Approximate c : Replacin on the AP exam: under-approximation Tangent Lines and Linear Approximations Students should be able to: Determine the slope of tangent line to a curve at a point Determine the equations of tangent lines and normal lines Approximate a value

More information

Basics of Computational Geometry

Basics of Computational Geometry Basics of Computational Geometry Nadeem Mohsin October 12, 2013 1 Contents This handout covers the basic concepts of computational geometry. Rather than exhaustively covering all the algorithms, it deals

More information

UNIT 15 GRAPHICAL PRESENTATION OF DATA-I

UNIT 15 GRAPHICAL PRESENTATION OF DATA-I UNIT 15 GRAPHICAL PRESENTATION OF DATA-I Graphical Presentation of Data-I Structure 15.1 Introduction Objectives 15.2 Graphical Presentation 15.3 Types of Graphs Histogram Frequency Polygon Frequency Curve

More information

Volume Worksheets (Chapter 6)

Volume Worksheets (Chapter 6) Volume Worksheets (Chapter 6) Name page contents: date AP Free Response Area Between Curves 3-5 Volume b Cross-section with Riemann Sums 6 Volume b Cross-section Homework 7-8 AP Free Response Volume b

More information

Using Arithmetic of Real Numbers to Explore Limits and Continuity

Using Arithmetic of Real Numbers to Explore Limits and Continuity Using Arithmetic of Real Numbers to Explore Limits and Continuity by Maria Terrell Cornell University Problem Let a =.898989... and b =.000000... (a) Find a + b. (b) Use your ideas about how to add a and

More information

Chapter 3. Set Theory. 3.1 What is a Set?

Chapter 3. Set Theory. 3.1 What is a Set? Chapter 3 Set Theory 3.1 What is a Set? A set is a well-defined collection of objects called elements or members of the set. Here, well-defined means accurately and unambiguously stated or described. Any

More information

AP CALCULUS BC 2013 SCORING GUIDELINES

AP CALCULUS BC 2013 SCORING GUIDELINES AP CALCULUS BC 2013 SCORING GUIDELINES Question 4 The figure above shows the graph of f, the derivative of a twice-differentiable function f, on the closed interval 0 x 8. The graph of f has horizontal

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

Using Microsoft Excel

Using Microsoft Excel Using Microsoft Excel Introduction This handout briefly outlines most of the basic uses and functions of Excel that we will be using in this course. Although Excel may be used for performing statistical

More information

College Algebra. Gregg Waterman Oregon Institute of Technology

College Algebra. Gregg Waterman Oregon Institute of Technology College Algebra Gregg Waterman Oregon Institute of Technology c 2016 Gregg Waterman This work is licensed under the Creative Commons Attribution.0 International license. The essence of the license is that

More information

AB Student Notes: Area and Volume

AB Student Notes: Area and Volume AB Student Notes: Area and Volume An area and volume problem has appeared on every one of the free response sections of the AP Calculus exam AB since year 1. They are straightforward and only occasionally

More information

Morgan County School District Re-3. Pre-Algebra 9 Skills Assessment Resources. Content and Essential Questions

Morgan County School District Re-3. Pre-Algebra 9 Skills Assessment Resources. Content and Essential Questions Morgan County School District Re-3 August The tools of Algebra. Use the four-step plan to solve problems. Choose an appropriate method of computation. Write numerical expressions for word phrases. Write

More information

WHOLE NUMBER AND DECIMAL OPERATIONS

WHOLE NUMBER AND DECIMAL OPERATIONS WHOLE NUMBER AND DECIMAL OPERATIONS Whole Number Place Value : 5,854,902 = Ten thousands thousands millions Hundred thousands Ten thousands Adding & Subtracting Decimals : Line up the decimals vertically.

More information

Common Core State Standards. August 2010

Common Core State Standards. August 2010 August 2010 Grade Six 6.RP: Ratios and Proportional Relationships Understand ratio concepts and use ratio reasoning to solve problems. 1. Understand the concept of a ratio and use ratio language to describe

More information

Final Exam May 2, 2017

Final Exam May 2, 2017 Math 07 Calculus II Name: Final Exam May, 07 Circle the name of your instructor and, in the appropriate column, the name of your recitation leader. The second row is the time of your lecture. Radu Ledder

More information

MTH 122 Calculus II Essex County College Division of Mathematics and Physics 1 Lecture Notes #11 Sakai Web Project Material

MTH 122 Calculus II Essex County College Division of Mathematics and Physics 1 Lecture Notes #11 Sakai Web Project Material MTH Calculus II Essex County College Division of Mathematics and Physics Lecture Notes # Sakai Web Project Material Introduction - - 0 - Figure : Graph of y sin ( x y ) = x cos (x + y) with red tangent

More information

Digits. Value The numbers a digit. Standard Form. Expanded Form. The symbols used to show numbers: 0,1,2,3,4,5,6,7,8,9

Digits. Value The numbers a digit. Standard Form. Expanded Form. The symbols used to show numbers: 0,1,2,3,4,5,6,7,8,9 Digits The symbols used to show numbers: 0,1,2,3,4,5,6,7,8,9 Value The numbers a digit represents, which is determined by the position of the digits Standard Form Expanded Form A common way of the writing

More information

Santiago AP Calculus AB/BC Summer Assignment 2018 AB: complete problems 1 64, BC: complete problems 1 73

Santiago AP Calculus AB/BC Summer Assignment 2018 AB: complete problems 1 64, BC: complete problems 1 73 Santiago AP Calculus AB/BC Summer Assignment 2018 AB: complete problems 1 64, BC: complete problems 1 73 AP Calculus is a rigorous college level math course. It will be necessary to do some preparatory

More information

Area and Perimeter EXPERIMENT. How are the area and perimeter of a rectangle related? You probably know the formulas by heart:

Area and Perimeter EXPERIMENT. How are the area and perimeter of a rectangle related? You probably know the formulas by heart: Area and Perimeter How are the area and perimeter of a rectangle related? You probably know the formulas by heart: Area Length Width Perimeter (Length Width) But if you look at data for many different

More information

adjacent angles Two angles in a plane which share a common vertex and a common side, but do not overlap. Angles 1 and 2 are adjacent angles.

adjacent angles Two angles in a plane which share a common vertex and a common side, but do not overlap. Angles 1 and 2 are adjacent angles. Angle 1 Angle 2 Angles 1 and 2 are adjacent angles. Two angles in a plane which share a common vertex and a common side, but do not overlap. adjacent angles 2 5 8 11 This arithmetic sequence has a constant

More information

MA 113 Calculus I Fall 2015 Exam 2 Tuesday, 20 October Multiple Choice Answers. Question

MA 113 Calculus I Fall 2015 Exam 2 Tuesday, 20 October Multiple Choice Answers. Question MA 113 Calculus I Fall 2015 Exam 2 Tuesday, 20 October 2015 Name: Section: Last digits of student ID #: This exam has ten multiple choice questions (five points each) and five free response questions (ten

More information

Alignment to the Texas Essential Knowledge and Skills Standards

Alignment to the Texas Essential Knowledge and Skills Standards Alignment to the Texas Essential Knowledge and Skills Standards Contents Kindergarten... 2 Level 1... 4 Level 2... 6 Level 3... 8 Level 4... 10 Level 5... 13 Level 6... 16 Level 7... 19 Level 8... 22 High

More information

Mathematics E-15 Exam I February 21, Problem Possible Total 100. Instructions for Proctor

Mathematics E-15 Exam I February 21, Problem Possible Total 100. Instructions for Proctor Name: Mathematics E-15 Exam I February 21, 28 Problem Possible 1 10 2 10 3 12 4 12 5 10 6 15 7 9 8 8 9 14 Total 100 Instructions for Proctor Please check that no student is using a TI-89 calculator, a

More information

Mathematics Placement Assessment

Mathematics Placement Assessment Mathematics Placement Assessment Courage, Humility, and Largeness of Heart Oldfields School Thank you for taking the time to complete this form accurately prior to returning this mathematics placement

More information

A triangle that has three acute angles Example:

A triangle that has three acute angles Example: 1. acute angle : An angle that measures less than a right angle (90 ). 2. acute triangle : A triangle that has three acute angles 3. angle : A figure formed by two rays that meet at a common endpoint 4.

More information

Math 126 Final Examination Autumn CHECK that your exam contains 9 problems on 10 pages.

Math 126 Final Examination Autumn CHECK that your exam contains 9 problems on 10 pages. Math 126 Final Examination Autumn 2016 Your Name Your Signature Student ID # Quiz Section Professor s Name TA s Name CHECK that your exam contains 9 problems on 10 pages. This exam is closed book. You

More information

Carnegie Learning Math Series Course 1, A Florida Standards Program. Chapter 1: Factors, Multiples, Primes, and Composites

Carnegie Learning Math Series Course 1, A Florida Standards Program. Chapter 1: Factors, Multiples, Primes, and Composites . Factors and Multiples Carnegie Learning Math Series Course, Chapter : Factors, Multiples, Primes, and Composites This chapter reviews factors, multiples, primes, composites, and divisibility rules. List

More information

5th Grade Mathematics Essential Standards

5th Grade Mathematics Essential Standards Standard 1 Number Sense (10-20% of ISTEP/Acuity) Students compute with whole numbers*, decimals, and fractions and understand the relationship among decimals, fractions, and percents. They understand the

More information

Dinwiddie County Public Schools Subject: Math 7 Scope and Sequence

Dinwiddie County Public Schools Subject: Math 7 Scope and Sequence Dinwiddie County Public Schools Subject: Math 7 Scope and Sequence GRADE: 7 Year - 2013-2014 9 WKS Topics Targeted SOLS Days Taught Essential Skills 1 ARI Testing 1 1 PreTest 1 1 Quadrilaterals 7.7 4 The

More information

Standard form Expanded notation Symbol Value Place Base ten Decimal -ths and

Standard form Expanded notation Symbol Value Place Base ten Decimal -ths and MATHEMATICS FOURTH GRADE Common Curricular Goal: 4.1 NUMBER AND OPERATIONS: Develop an understanding of decimals, including the connections between fractions and decimals. State Standard Task Analysis

More information

Kate Collins Middle School Pre-Algebra Grade 6

Kate Collins Middle School Pre-Algebra Grade 6 Kate Collins Middle School Pre-Algebra Grade 6 1 1 - Real Number System How are the real numbers related? *some numbers can appear in more than one subset *the attributes of one subset can be contained

More information

Integration. Edexcel GCE. Core Mathematics C4

Integration. Edexcel GCE. Core Mathematics C4 Edexcel GCE Core Mathematics C Integration Materials required for examination Mathematical Formulae (Green) Items included with question papers Nil Advice to Candidates You must ensure that your answers

More information

Intermediate Algebra. Gregg Waterman Oregon Institute of Technology

Intermediate Algebra. Gregg Waterman Oregon Institute of Technology Intermediate Algebra Gregg Waterman Oregon Institute of Technology c 2017 Gregg Waterman This work is licensed under the Creative Commons Attribution 4.0 International license. The essence of the license

More information

Calculus III. 1 Getting started - the basics

Calculus III. 1 Getting started - the basics Calculus III Spring 2011 Introduction to Maple The purpose of this document is to help you become familiar with some of the tools the Maple software package offers for visualizing curves and surfaces in

More information

EGR 111 Introduction to MATLAB

EGR 111 Introduction to MATLAB EGR 111 Introduction to MATLAB This lab introduces the MATLAB help facility, shows how MATLAB TM, which stands for MATrix LABoratory, can be used as an advanced calculator. This lab also introduces assignment

More information

HSC Mathematics - Extension 1. Workshop E2

HSC Mathematics - Extension 1. Workshop E2 HSC Mathematics - Extension Workshop E Presented by Richard D. Kenderdine BSc, GradDipAppSc(IndMaths), SurvCert, MAppStat, GStat School of Mathematics and Applied Statistics University of Wollongong Moss

More information

5.5 Multiple-Angle and Product-to-Sum Formulas

5.5 Multiple-Angle and Product-to-Sum Formulas Section 5.5 Multiple-Angle and Product-to-Sum Formulas 87 5.5 Multiple-Angle and Product-to-Sum Formulas Multiple-Angle Formulas In this section, you will study four additional categories of trigonometric

More information

B.Stat / B.Math. Entrance Examination 2017

B.Stat / B.Math. Entrance Examination 2017 B.Stat / B.Math. Entrance Examination 017 BOOKLET NO. TEST CODE : UGA Forenoon Questions : 0 Time : hours Write your Name, Registration Number, Test Centre, Test Code and the Number of this Booklet in

More information

Proceedings of the Third International DERIVE/TI-92 Conference

Proceedings of the Third International DERIVE/TI-92 Conference Using the TI-92 and TI-92 Plus to Explore Derivatives, Riemann Sums, and Differential Equations with Symbolic Manipulation, Interactive Geometry, Scripts, Regression, and Slope Fields Sally Thomas, Orange

More information

Diocese of Boise Math Curriculum 5 th grade

Diocese of Boise Math Curriculum 5 th grade Diocese of Boise Math Curriculum 5 th grade ESSENTIAL Sample Questions Below: What can affect the relationshi p between numbers? What does a decimal represent? How do we compare decimals? How do we round

More information

1) Find. a) b) c) d) e) 2) The function g is defined by the formula. Find the slope of the tangent line at x = 1. a) b) c) e) 3) Find.

1) Find. a) b) c) d) e) 2) The function g is defined by the formula. Find the slope of the tangent line at x = 1. a) b) c) e) 3) Find. 1 of 7 1) Find 2) The function g is defined by the formula Find the slope of the tangent line at x = 1. 3) Find 5 1 The limit does not exist. 4) The given function f has a removable discontinuity at x

More information

ENCM 339 Fall 2017 Lecture Section 01 Lab 9 for the Week of November 20

ENCM 339 Fall 2017 Lecture Section 01 Lab 9 for the Week of November 20 page 1 of 9 ENCM 339 Fall 2017 Lecture Section 01 Lab 9 for the Week of November 20 Steve Norman Department of Electrical & Computer Engineering University of Calgary November 2017 Lab instructions and

More information

Precalculus, Quarter 2, Unit 2.1. Trigonometry Graphs. Overview

Precalculus, Quarter 2, Unit 2.1. Trigonometry Graphs. Overview 13 Precalculus, Quarter 2, Unit 2.1 Trigonometry Graphs Overview Number of instructional days: 12 (1 day = 45 minutes) Content to be learned Convert between radian and degree measure. Determine the usefulness

More information

MATH 104 Sample problems for first exam - Fall MATH 104 First Midterm Exam - Fall (d) 256 3

MATH 104 Sample problems for first exam - Fall MATH 104 First Midterm Exam - Fall (d) 256 3 MATH 14 Sample problems for first exam - Fall 1 MATH 14 First Midterm Exam - Fall 1. Find the area between the graphs of y = 9 x and y = x + 1. (a) 4 (b) (c) (d) 5 (e) 4 (f) 81. A solid has as its base

More information

1 Topic 2, 3, 4 5.NBT.7

1 Topic 2, 3, 4 5.NBT.7 2017-2018 EHT Curriculum alignment with NJ Student Learning Standards - The pacing guide is just what it says; a guide. It tells you what concepts will be covered on each Trimester Test. - The SGO test,

More information

Mathematics: working hard together, achieving together, making every lesson count

Mathematics: working hard together, achieving together, making every lesson count Maths Mathematics: working hard together, achieving together, making every lesson count The Mathematics Department will provide students with exciting, relevant and challenging Mathematics, delivered by

More information

Calculus I Review Handout 1.3 Introduction to Calculus - Limits. by Kevin M. Chevalier

Calculus I Review Handout 1.3 Introduction to Calculus - Limits. by Kevin M. Chevalier Calculus I Review Handout 1.3 Introduction to Calculus - Limits by Kevin M. Chevalier We are now going to dive into Calculus I as we take a look at the it process. While precalculus covered more static

More information

Correlation of the ALEKS courses Algebra 1 and High School Geometry to the Wyoming Mathematics Content Standards for Grade 11

Correlation of the ALEKS courses Algebra 1 and High School Geometry to the Wyoming Mathematics Content Standards for Grade 11 Correlation of the ALEKS courses Algebra 1 and High School Geometry to the Wyoming Mathematics Content Standards for Grade 11 1: Number Operations and Concepts Students use numbers, number sense, and number

More information

Similarities and Differences Or Compare and Contrast

Similarities and Differences Or Compare and Contrast Similarities and Differences Or Compare and Contrast Research has shown that identifying similarities and differences can produce significant gains in student achievement. For it to be effective it must

More information

Lab1: Use of Word and Excel

Lab1: Use of Word and Excel Dr. Fritz Wilhelm; physics 230 Lab1: Use of Word and Excel Page 1 of 9 Lab partners: Download this page onto your computer. Also download the template file which you can use whenever you start your lab

More information

Iteration. The final line is simply ending the do word in the first line. You can put as many lines as you like in between the do and the end do

Iteration. The final line is simply ending the do word in the first line. You can put as many lines as you like in between the do and the end do Intruction Iteration Iteration: the for loop Computers are superb at repeating a set of instructions over and over again - very quickly and with complete reliability. Here is a short maple program ce that

More information

LAB 1 General MATLAB Information 1

LAB 1 General MATLAB Information 1 LAB 1 General MATLAB Information 1 General: To enter a matrix: > type the entries between square brackets, [...] > enter it by rows with elements separated by a space or comma > rows are terminated by

More information

An Introduction to Using Maple in Math 23

An Introduction to Using Maple in Math 23 An Introduction to Using Maple in Math 3 R. C. Daileda The purpose of this document is to help you become familiar with some of the tools the Maple software package offers for visualizing solutions to

More information