Cecilia first drops off the edge mostly moving parallel the x coordinate. As she gets near bottom of the parabola, she starts moving turning toward

Size: px
Start display at page:

Download "Cecilia first drops off the edge mostly moving parallel the x coordinate. As she gets near bottom of the parabola, she starts moving turning toward"

Transcription

1

2

3

4 Cecilia first drops off the edge mostly moving parallel the x coordinate. As she gets near bottom of the parabola, she starts moving turning toward walking nearly parallel to the y-axis

5 Electric Dipole Figure 1. We see the positive 'pole' for the positively charged point charge at x = +1, as well as the negative pole corresponding to the negative piont charge at x = -1 Figure 2. Dipole Electric Field. Can see the classic point out of + charge, points into - charge pattern. Note that a slice of x values was removed to avoid the singulatirites that occur at x = +/-1.

6 Starting at (x,y,z) = 7,2,1, We see that the pressure field will push the dandelion down the hill (decreasing values of x and y). Also note that the pressure is higher nearer to the ground, so the dandelion seed will be pushed toward the sky. This is suggested also in the vector field plot for grad P.

7 Cecilia Crab Walk: Matlab Code %% example code for generating vector field plots % Matlab draws vector fields using the 'quiver' function. % in this example, we use Cecilia the crab. We found the negative of the gradient is given % by: % -grad f = -x/2 ihat + 1/10 jhat %she starts at the point (4,10,3), so let's smartly choose our x %and y domains to see her path startint at (xo, yo) = 4,10. %set up the grid and define function values there xvals = linspace(-4.5, 4.5, 25); %this defines a list of values -5 to 5 in steps of 0.05 yvals = linspace(9, 12, 25); %choose limits sensibly based on how large a function becomes along that coordinate [x,y] = meshgrid(xvals, yvals); %this makes a 2d grid of points out of the x and y values specified % elevation as function of x and y z = (x.^2)/4 - y/10; %gradient field u = -x/2; v = 1/10*ones(size(y)); %% make figure to show lake bed surface elevation figure; surf(x,y,z); colormap jet xlabel('x') ylabel('y') title('cecilia Crab Walk') set(gca, 'fontsize', 16) %plot the starting point hold on xo = 4; yo = 10; zo = 3; plot3(xo, yo, zo, 'ko', 'markerfacecolor', 'k') %% make figure for gradient field figure; %use autoscalefactor to make quiver arrows bigger, easier to view quiver(x,y,u,v, 'linewidth', 1.5, 'AutoScaleFactor', 2);

8 %plot cecilia's initial position hold on; xo = 4; yo = 10; plot(xo, yo, 'ko', 'markerfacecolor', 'r', 'markersize', 7) xlabel('x') ylabel('y') title('cecilia Crab Walk') set(gca, 'fontsize', 16)

9 Electric Dipole: matlab code % Electric dipole: +q placed at +xo, -q placed at -xo %set up the grid and define function values there xvals = [-1.5:0.05:-1.1, -0.9:0.05:0.9, 1.1:0.05:1.5]; yvals = [-1.5:0.05:-0.02, 0.02:0.05:1.5]; % xvals = linspace(-1.5, 1.5, 50); %this defines a list of values -5 to 5 in steps of 0.05 % yvals = linspace(-1.5, 1.5, 50); %choose limits sensibly based on how large a function becomes along that coordinate [x,y] = meshgrid(xvals, yvals); %this makes a 2d grid of points out of the x and y values specified % let k = 1. in reality it is 1/(4*pi*eps0), changes absolute scale, but % not the overall shape of the voltage surface % let xo = 1. Again, we could place them at say xo = +/- 10, but this only % changes the absolute scale xo = 1; k = 1; % electric potential as function of x and y Voltage = k./( (x-xo).^2 + y.^2).^0.5 - k./( (x+xo).^2 + y.^2).^0.5; %gradient field u = k*(x-xo)./( (x-xo).^2 + y.^2).^1.5 - k*(x+xo)./( (x+xo).^2 + y.^2).^1.5; v = k*y./( (x-xo).^2 + y.^2).^1.5 - k*y./( (x+xo).^2 + y.^2).^1.5; %% Note matlab can compute gradients. This is very useful if you are working with experimental data % and don't have a closed-form ready solution to type in. [Fx, Fy ] = gradient(voltage); % >> doc gradient %% make figure to show lake bed surface elevation figure; HC = surf(x,y,voltage); HC.EdgeColor ='none'; HC.FaceAlpha = 0.75; colormap jet xlabel('x') ylabel('y') zlabel('v(x,y)') title('dipole Electric Potential') set(gca, 'fontsize', 16) %% make figure for gradient field figure; %use autoscalefactor to make quiver arrows bigger, easier to view quiver(x,y,u, v, 'linewidth', 1.5, 'AutoScaleFactor', 1);

10 xlabel('x') ylabel('y') title('dipole Electric Field') set(gca, 'fontsize', 16) axis equal

11 Pressure Field Problem: matlab code %% Matlab workshop prob 6: Under Pressure % Matlab draws vector fields using the 'quiver' function. %In this example we are considering a pressure varying P(x,y,z): % P = (x-3).^(1/2).* (y-5).^2.* exp(-z); %we'll plot the pressure at ground surface z = 0; % THis makes the e^-z term = 1. %set up the grid and define function values there xvals = linspace(4, 10, 20); %this defines a list of values -5 to 5 in steps of 0.05 yvals = linspace(0, 4, 20); %choose limits sensibly based on how large a function becomes along that coordinate zvals = linspace(0,2,5); [x,y] = meshgrid(xvals, yvals); %this makes a 2d grid of points out of the x and y values specified zo = 0; %plotting at ground level only so we can visualize the surface P = (x-3).^(1/2).* (y-5).^2; %% make figure to show lake bed surface elevation figure; HC = surf(x,y,p); HC.EdgeColor = 'none'; colormap jet xlabel('x') ylabel('y') zlabel('pressure') title('pressure field over (x,y,0)') set(gca, 'fontsize', 16) %plot the starting point hold on xo = 7; yo = 2; zo = 1; plot3(xo, yo, zo, 'ko', 'markerfacecolor', 'k') %% Plot the gradient field % now add in z to the grid (lattice) to plot wind field [x,y, z] = meshgrid(xvals, yvals, zvals); %this makes a 2d grid of points out of the x and y values specified %-grad(p) u = -0.5*(x-3).^(-1/2).*(y-5).^2.*exp(-z); v = -2* (x-3).^(-1/2).* (y-5).*exp(-z);

12 w = -(x-3).^(-1/2).* (y-5).^2.* -exp(-z); % make figure for gradient field figure; %use autoscalefactor to make quiver arrows bigger, easier to view quiver3(x,y,z, u,v, w, 'linewidth', 1.5, 'AutoScaleFactor', 3); %plot pressure gradient = direction of wind flow hold on; plot3(xo, yo, zo, 'ko', 'markerfacecolor', 'r', 'markersize', 7) xlabel('x') ylabel('y') zlabel('z'); title('wind flow field') set(gca, 'fontsize', 16)

13

14

15

To produce exactly what I ve graphed above you need to change various appearences:

To produce exactly what I ve graphed above you need to change various appearences: Appendi A Matlab eamples 2. z The simplest wa to graph this is: = linspace(,); = linspace(-5,5); z=.^2; plot3(,,z); To produce eactl what I ve graphed above ou need to change various appearences: = linspace(,);

More information

FLUIDS Problem Set #3 SOLUTIONS 10/27/ v y = A A = 0. + w z. Y = C / x

FLUIDS Problem Set #3 SOLUTIONS 10/27/ v y = A A = 0. + w z. Y = C / x FLUIDS 2009 Problem Set #3 SOLUTIONS 10/27/2009 1.i. The flow is clearly incompressible because iu = u x + v y + w z = A A = 0 1.ii. The equation for a streamline is dy dx = Y. Guessing a solution of the

More information

DOING PHYSICS WITH MATLAB ELECTRIC FIELD AND ELECTRIC POTENTIAL: INFINITE CONCENTRIC SQUARE CONDUCTORS

DOING PHYSICS WITH MATLAB ELECTRIC FIELD AND ELECTRIC POTENTIAL: INFINITE CONCENTRIC SQUARE CONDUCTORS DOING PHYSICS WITH MATLAB ELECTRIC FIELD AND ELECTRIC POTENTIAL: INFINITE CONCENTRIC SQUARE CONDUCTORS Ian Cooper School of Physics, University of Sydney ian.cooper@sydney.edu.au DOWNLOAD DIRECTORY FOR

More information

The First Geologic Map of Britain by William Smith, 1815

The First Geologic Map of Britain by William Smith, 1815 I Main Topics A Why make geologic maps? B ConstrucDon of maps C Contour maps D IntroducDon to geologic map paherns 8/25/11 GG303 1 The First Geologic Map of Britain by William Smith, 1815 hhp://upload.wikimedia.org/wikipedia/commons/9/98/geological_map_britain_william_smith_1815.jpg

More information

GG611 Lecture 4 GEOLOGIC MAPS AND CROSS SECTIONS. Maps and Cross Sec6on

GG611 Lecture 4 GEOLOGIC MAPS AND CROSS SECTIONS. Maps and Cross Sec6on GG611 Lecture 4 Maps and Cross Sec6on GG611 1 I Main Topics A Why make geologic maps? B Construc6on of maps C Contour maps D Introduc6on to geologic map pakerns E Structure contours F Strike of beds on

More information

EEE161 Applied Electromagnetics Laboratory 3

EEE161 Applied Electromagnetics Laboratory 3 Dr. Milica Marković Applied Electromagnetics Laboratory page 1 EEE161 Applied Electromagnetics Laboratory 3 Instructor: Dr. Milica Marković Office: Riverside Hall 3028 Email: milica@csus.edu Web:http://gaia.ecs.csus.edu/

More information

In this chapter, we study the calculus of vector fields.

In this chapter, we study the calculus of vector fields. 16 VECTOR CALCULUS VECTOR CALCULUS In this chapter, we study the calculus of vector fields. These are functions that assign vectors to points in space. VECTOR CALCULUS We define: Line integrals which can

More information

DOING PHYSICS WITH MATLAB ELECTRIC FIELD AND ELECTRIC POTENTIAL: POISSON S EQUATION

DOING PHYSICS WITH MATLAB ELECTRIC FIELD AND ELECTRIC POTENTIAL: POISSON S EQUATION DOING PHYSICS WITH MATLAB ELECTRIC FIELD AND ELECTRIC POTENTIAL: POISSON S EQUATION Ian Cooper School of Physics, University of Sydney ian.cooper@sydney.edu.au DOWNLOAD DIRECTORY FOR MATLAB SCRIPTS For

More information

The Justin Guide to Matlab for MATH 241 Part 3.

The Justin Guide to Matlab for MATH 241 Part 3. Table of Contents Multiple Integrals... 1 Plotting Surfaces - Continued... 1 Vector Fields... 5 Vector Fields in 3D... 7 Line Integrals of Functions.... 8 Line Integrals of Vector Fields.... 9 Surface

More information

CHAPTER 2 POLYNOMIALS KEY POINTS

CHAPTER 2 POLYNOMIALS KEY POINTS CHAPTER POLYNOMIALS KEY POINTS 1. Polynomials of degrees 1, and 3 are called linear, quadratic and cubic polynomials respectively.. A quadratic polynomial in x with real coefficient is of the form a x

More information

1) Get physics under control! Magnitude of force of gravity.! Notice from symmetry is 1-D problem.!

1) Get physics under control! Magnitude of force of gravity.! Notice from symmetry is 1-D problem.! 1) Get physics under control! Magnitude of force of gravity.! Notice from symmetry is 1-D problem.! g = GM e r 2, r R e g = GM( r)r, r R e 2) Get MATLAB under control! g is a vector! in this case we will

More information

North by Northwest - An Introduction to Vectors

North by Northwest - An Introduction to Vectors HPP A9 North by Northwest - An Introduction to Vectors Exploration GE 1. Let's suppose you and a friend are standing in the parking lot near the Science Building. Your friend says, "I am going to run at

More information

Assignment 1b: due Tues Nov 3rd at 11:59pm

Assignment 1b: due Tues Nov 3rd at 11:59pm n Today s Lecture: n n Vectorized computation Introduction to graphics n Announcements:. n Assignment 1b: due Tues Nov 3rd at 11:59pm 1 Monte Carlo Approximation of π Throw N darts L L/2 Sq. area = N =

More information

Several Examples on Solving an ODE using MATALB

Several Examples on Solving an ODE using MATALB Several Examples on Solving an ODE using MATALB Introduction: A Tutorial on Solving an ODE through the use of the discretization method then using the MATLAB ODE solver and comparing the results. Two examples

More information

Grade 6 Math Circles October 9 & Visual Vectors

Grade 6 Math Circles October 9 & Visual Vectors Faculty of Mathematics Waterloo, Ontario N2L 3G1 Centre for Education in Mathematics and Computing Grade 6 Math Circles October 9 & 10 2018 Visual Vectors Introduction What is a vector? How does it differ

More information

clear all format short

clear all format short DESCRIPTION: This code plots electrostatic field lines for a collection of point charges. MAIN GOAL: To draw the field lines in such a way that their volume density is proportional to the electric flux

More information

MATLAB Examples 2 (covering Statistics Lectures 3 and 4)

MATLAB Examples 2 (covering Statistics Lectures 3 and 4) MATLAB Examples 2 (covering Statistics Lectures 3 and 4) Contents Example 1: Fit a linearized regression model Example 2: Fit a parametric nonlinear model Example 3: Another optimization example Example

More information

WW Prob Lib1 Math course-section, semester year

WW Prob Lib1 Math course-section, semester year WW Prob Lib Math course-section, semester year WeBWorK assignment Tarea due /6/03 at :00 PM..( pt) Let a = (4, 9, -7) and b = (-8, -6, -3) be vectors. Compute the following vectors. A. a + b = (,, ) B.

More information

GLY-5828 Calculus Review/Assignment 1

GLY-5828 Calculus Review/Assignment 1 Rise GLY-5828 Calculus Review/Assignment 1 Slope y 2 y 1 Run x 1 x 2 Slope is defined as the rise over the run: Slope = rise/run. The rise is the change in the y value and the run is the change in the

More information

1. 4 2y 1 2 = x = x 1 2 x + 1 = x x + 1 = x = 6. w = 2. 5 x

1. 4 2y 1 2 = x = x 1 2 x + 1 = x x + 1 = x = 6. w = 2. 5 x .... VII x + x + = x x x 8 x x = x + a = a + x x = x + x x Solve the absolute value equations.. z = 8. x + 7 =. x =. x =. y = 7 + y VIII Solve the exponential equations.. 0 x = 000. 0 x+ = 00. x+ = 8.

More information

Bayesian Analysis - A First Example

Bayesian Analysis - A First Example Bayesian Analysis - A First Example This script works through the example in Hoff (29), section 1.2.1 We are interested in a single parameter: θ, the fraction of individuals in a city population with with

More information

ECE 102 Engineering Computation

ECE 102 Engineering Computation ECE 102 Engineering Computation Phillip Wong MATLAB XY Plots with Linear-Linear Scaling Formatting Plots XY Plots with Logarithmic Scaling Multiple Plots Printing and Saving Plots Introduction to 2D Graphs

More information

%% Real Shock to the System: Mtn Biker Problem:

%% Real Shock to the System: Mtn Biker Problem: d) Figure 1. Comparison of mountain biker oscillations. e) We see that both Hotdogger and Smallfry undergo underdamped oscillations. Hotdogger s max amplitude of oscillation is larger this is to be expected

More information

Calculating Fractal Dimension of Attracting Sets of the Lorenz System

Calculating Fractal Dimension of Attracting Sets of the Lorenz System Dynamics at the Horsetooth Volume 6, 2014. Calculating Fractal Dimension of Attracting Sets of the Lorenz System Jamie Department of Mathematics Colorado State University Report submitted to Prof. P. Shipman

More information

Explicit Incompressible Euler Solver

Explicit Incompressible Euler Solver Explicit Incompressible Euler Solver (Written In Matlab) R D Teja Aerospace Undergraduate IIT Madras Contents: 1. Abstract 2. Introduction 2.1 Euler equations 2.2 Artificial compressibility equations 2.3

More information

EEE161 Applied Electromagnetics Laboratory 4

EEE161 Applied Electromagnetics Laboratory 4 Dr. Milica Marković Applied Electromagnetics Laboratory page 1 EEE161 Applied Electromagnetics Laboratory 4 Instructor: Dr. Milica Marković Office: Riverside Hall 3028 Email: milica@csus.edu Web:http://gaia.ecs.csus.edu/

More information

Linear Estimation of Y given X:

Linear Estimation of Y given X: Problem: Given measurement Y, estimate X. Linear Estimation of Y given X: Why? You want to know something that is difficult to measure, such as engine thrust. You estimate this based upon something that

More information

STAT2201 Assignment 3 Semester 1, 2017 Due 13/4/2017

STAT2201 Assignment 3 Semester 1, 2017 Due 13/4/2017 Class Example 1. Single Sample Descriptive Statistics (a) Summary Statistics and Box-Plots You are working in factory producing hand held bicycle pumps and obtain a sample of 174 bicycle pump weights in

More information

THE IMPORTANCE OF GEOMETRIC REASONING

THE IMPORTANCE OF GEOMETRIC REASONING THE IMPORTANCE OF GEOMETRIC REASONING Tevian Dray & Corinne Manogue Oregon State University I: Mathematics Physics II: The Bridge Project III: Geometric Visualization QUESTIONS I: Suppose T (x, y) = k(x

More information

LHS Algebra Pre-Test

LHS Algebra Pre-Test Your Name Teacher Block Grade (please circle): 9 10 11 12 Course level (please circle): Honors Level 1 Instructions LHS Algebra Pre-Test The purpose of this test is to see whether you know Algebra 1 well

More information

1 Mechanistic and generative models of network structure

1 Mechanistic and generative models of network structure 1 Mechanistic and generative models of network structure There are many models of network structure, and these largely can be divided into two classes: mechanistic models and generative or probabilistic

More information

Chapter Review USING KEY TERMS UNDERSTANDING KEY IDEAS. Skills Worksheet. Multiple Choice

Chapter Review USING KEY TERMS UNDERSTANDING KEY IDEAS. Skills Worksheet. Multiple Choice Skills Worksheet Chapter Review USING KEY TERMS Complete each of the following sentences by choosing the correct term from the word bank. mass gravity friction weight speed velocity net force newton 1.

More information

PRACTICE PROBLEMS FOR MIDTERM I

PRACTICE PROBLEMS FOR MIDTERM I Problem. Find the limits or explain why they do not exist (i) lim x,y 0 x +y 6 x 6 +y ; (ii) lim x,y,z 0 x 6 +y 6 +z 6 x +y +z. (iii) lim x,y 0 sin(x +y ) x +y Problem. PRACTICE PROBLEMS FOR MIDTERM I

More information

5.1 Uncertainty principle and particle current

5.1 Uncertainty principle and particle current 5.1 Uncertainty principle and particle current Slides: Video 5.1.1 Momentum, position, and the uncertainty principle Text reference: Quantum Mechanics for Scientists and Engineers Sections 3.1 3.13 Uncertainty

More information

Directional Derivatives and Gradient Vectors. Suppose we want to find the rate of change of a function z = f x, y at the point in the

Directional Derivatives and Gradient Vectors. Suppose we want to find the rate of change of a function z = f x, y at the point in the 14.6 Directional Derivatives and Gradient Vectors 1. Partial Derivates are nice, but they only tell us the rate of change of a function z = f x, y in the i and j direction. What if we are interested in

More information

Lesson 9 Exploring Graphs of Quadratic Functions

Lesson 9 Exploring Graphs of Quadratic Functions Exploring Graphs of Quadratic Functions Graph the following system of linear inequalities: { y > 1 2 x 5 3x + 2y 14 a What are three points that are solutions to the system of inequalities? b Is the point

More information

Limit Laws- Theorem 2.2.1

Limit Laws- Theorem 2.2.1 Limit Laws- Theorem 2.2.1 If L, M, c, and k are real numbers and lim x c f (x) =L and lim g(x) =M, then x c 1 Sum Rule: lim x c (f (x)+g(x)) = L + M 2 Difference Rule: lim x c (f (x) g(x)) = L M 3 Constant

More information

3 rd -order Intercept Point

3 rd -order Intercept Point 1 3 rd -order Intercept Point Anuranjan Jha, Columbia Integrated Systems Lab, Department of Electrical Engineering, Columbia University, New York, NY Last Revised: September 12, 2006 These derivations

More information

Name, Date, Period. R Θ R x R y

Name, Date, Period. R Θ R x R y Name, Date, Period Virtual Lab Vectors & Vector Operations Setup 1. Make sure your calculator is set to degrees and not radians. Sign out a laptop and power cord. Plug in the laptop and leave it plugged

More information

Maria Cameron Theoretical foundations. Let. be a partition of the interval [a, b].

Maria Cameron Theoretical foundations. Let. be a partition of the interval [a, b]. Maria Cameron 1 Interpolation by spline functions Spline functions yield smooth interpolation curves that are less likely to exhibit the large oscillations characteristic for high degree polynomials Splines

More information

BC VECTOR PROBLEMS. 13. Find the area of the parallelogram having AB and AC as adjacent sides: A(2,1,3), B(1,4,2), C( 3,2,7) 14.

BC VECTOR PROBLEMS. 13. Find the area of the parallelogram having AB and AC as adjacent sides: A(2,1,3), B(1,4,2), C( 3,2,7) 14. For problems 9 use: u (,3) v (3, 4) s (, 7). w =. 3u v = 3. t = 4. 7u = u w (,3,5) 5. wt = t (,, 4) 6. Find the measure of the angle between w and t to the nearest degree. 7. Find the unit vector having

More information

Definitions In physics we have two types of measurable quantities: vectors and scalars.

Definitions In physics we have two types of measurable quantities: vectors and scalars. 1 Definitions In physics we have two types of measurable quantities: vectors and scalars. Scalars: have magnitude (magnitude means size) only Examples of scalar quantities include time, mass, volume, area,

More information

Curve Fitting. Least Squares Regression. Linear Regression

Curve Fitting. Least Squares Regression. Linear Regression Curve Fitting Curve fitting is expressing or modelling a discrete set of data points as a continuous function. There are two main branches of curve fitting which are regression and interpolation. Regression

More information

Solutions to Homework 8 - Continuous-Time Markov Chains

Solutions to Homework 8 - Continuous-Time Markov Chains Solutions to Homework 8 - Continuous-Time Markov Chains 1) Insurance cash flow. A) CTMC states. Since we assume that c, d and X max are integers, while the premiums that the customers pay are worth 1,

More information

UNIT 1 UNIT 1: QUADRATIC FUNCTIONS. By the end of this unit, I can. Name:

UNIT 1 UNIT 1: QUADRATIC FUNCTIONS. By the end of this unit, I can. Name: UNIT 1: QUADRATIC FUNCTIONS UNIT 1 By the end of this unit, I can Draw the graph of a function using different methods Explain the meaning of the term function and distinguish between a function and a

More information

Lotka-Volterra Models Nizar Ezroura M53

Lotka-Volterra Models Nizar Ezroura M53 Lotka-Volterra Models Nizar Ezroura M53 The Lotka-Volterra equations are a pair of coupled first-order ODEs that are used to describe the evolution of two elements under some mutual interaction pattern.

More information

x y

x y (a) The curve y = ax n, where a and n are constants, passes through the points (2.25, 27), (4, 64) and (6.25, p). Calculate the value of a, of n and of p. [5] (b) The mass, m grams, of a radioactive substance

More information

Wright State University Summer 2015 Department of Mechanical and Materials Engineering

Wright State University Summer 2015 Department of Mechanical and Materials Engineering Wright State University Summer 2015 Department of Mechanical and Materials Engineering ME 1020: ENGINEERING PROGRAMMING WITH MATLAB MID-TERM EXAM 1 Open Book, Closed Notes, Do Not Write on this Sheet Create

More information

Exam 1 Solutions. Note that there are several variations of some problems, indicated by choices in parentheses. Problem 1

Exam 1 Solutions. Note that there are several variations of some problems, indicated by choices in parentheses. Problem 1 Exam 1 Solutions Note that there are several variations of some problems, indicated by choices in parentheses. Problem 1 A rod of charge per unit length λ is surrounded by a conducting, concentric cylinder

More information

LABORATORY MODULE. EKT 241/4 ELECTROMAGNETIC THEORY Semester 2 (2009/2010) EXPERIMENT # 2

LABORATORY MODULE. EKT 241/4 ELECTROMAGNETIC THEORY Semester 2 (2009/2010) EXPERIMENT # 2 LABORATORY MODULE EKT 241/4 ELECTROMAGNETIC THEORY Semester 2 (2009/2010) EXPERIMENT # 2 Vector Analysis: Gradient And Divergence Of A Scalar And Vector Field NAME MATRIK # signature DATE PROGRAMME GROUP

More information

Topographic Maps and Profiles

Topographic Maps and Profiles Name: Date: Period: Earth Science Foundations The Physical Setting: Earth Science CLASS NOTES! Topographic Maps [contour maps] -! Topographic maps show three-dimensional shapes in two dimensions Elevation

More information

Electromagnetic Field Theory (EMT) Lecture # 7 Vector Calculus (Continued)

Electromagnetic Field Theory (EMT) Lecture # 7 Vector Calculus (Continued) Electromagnetic Field Theory (EMT) Lecture # 7 Vector Calculus (Continued) Topics to be Covered: Vector Calculus Differential Length, Area, and Volume Line, Surface, and Volume Integrals Del Operator Gradient

More information

Fall 2004 Physics 3 Tu-Th Section

Fall 2004 Physics 3 Tu-Th Section Fall 2004 Physics 3 Tu-Th Section Claudio Campagnari Lecture 11: 2 Nov. 2004 Web page: http://hep.ucsb.edu/people/claudio/ph3-04/ 1 Midterm Results Pick up your graded exam from Debbie Ceder, Broida 5114

More information

Level 2 Mathematics and Statistics, 2016

Level 2 Mathematics and Statistics, 2016 91262 912620 2SUPERVISOR S Level 2 Mathematics and Statistics, 2016 91262 Apply calculus methods in solving problems 9.30 a.m. Thursday 24 November 2016 Credits: Five Achievement Achievement with Merit

More information

PHY132 Introduction to Physics II Class 9 Outline:

PHY132 Introduction to Physics II Class 9 Outline: PHY132 Introduction to Physics II Class 9 Outline: Finishing off chapter 25, Starting chapter 26.. The Field Model The Electric Field of a Point Charge, and many point charges Fun with Charge Conservation!!!

More information

Solutions Parabola Volume 49, Issue 2 (2013)

Solutions Parabola Volume 49, Issue 2 (2013) Parabola Volume 49, Issue (013) Solutions 1411 140 Q1411 How many three digit numbers are there which do not contain any digit more than once? What do you get if you add them all up? SOLUTION There are

More information

Grade 6 Math Circles October 9 & Visual Vectors

Grade 6 Math Circles October 9 & Visual Vectors Faculty of Mathematics Waterloo, Ontario N2L 3G1 Centre for Education in Mathematics and Computing Grade 6 Math Circles October 9 & 10 2018 Visual Vectors Introduction What is a vector? How does it differ

More information

Elements of Vector Calculus : Scalar Field & its Gradient

Elements of Vector Calculus : Scalar Field & its Gradient Elements of Vector Calculus : Scalar Field & its Gradient Lecture 1 : Electromagnetic Theory Professor D. K. Ghosh, Physics Department, I.I.T., Bombay Introduction : In this set of approximately 40 lectures

More information

Transformation Matrix for study and Evaluation of Projection Aspects of the Earth Observation Area

Transformation Matrix for study and Evaluation of Projection Aspects of the Earth Observation Area Transformation Matrix for study and Evaluation of Projection Aspects of the Earth Observation Area Hideo Sato*,Korehiro Maeda*,Kohei Arai* Hiroyuki Wakabayashi*,Shinkichi Koizumi* *: Earth Observation

More information

MATH 200 WEEK 5 - WEDNESDAY DIRECTIONAL DERIVATIVE

MATH 200 WEEK 5 - WEDNESDAY DIRECTIONAL DERIVATIVE WEEK 5 - WEDNESDAY DIRECTIONAL DERIVATIVE GOALS Be able to compute a gradient vector, and use it to compute a directional derivative of a given function in a given direction. Be able to use the fact that

More information

ENGI 4430 Surface Integrals Page and 0 2 r

ENGI 4430 Surface Integrals Page and 0 2 r ENGI 4430 Surface Integrals Page 9.01 9. Surface Integrals - Projection Method Surfaces in 3 In 3 a surface can be represented by a vector parametric equation r x u, v ˆi y u, v ˆj z u, v k ˆ where u,

More information

Experiment 2 Electric Field Mapping

Experiment 2 Electric Field Mapping Experiment 2 Electric Field Mapping I hear and I forget. I see and I remember. I do and I understand Anonymous OBJECTIVE To visualize some electrostatic potentials and fields. THEORY Our goal is to explore

More information

6.094 Introduction to MATLAB January (IAP) 2009

6.094 Introduction to MATLAB January (IAP) 2009 MIT OpenCourseWare http://ocw.mit.edu 6.094 Introduction to MATLAB January (IAP) 2009 For information about citing these materials or our Terms of Use, visit: http://ocw.mit.edu/terms. 6.094: Introduction

More information

4.6 Free Body Diagrams 4.7 Newton's Third Law.notebook October 03, 2017

4.6 Free Body Diagrams 4.7 Newton's Third Law.notebook October 03, 2017 Free Body Diagrams Section 4.6 Free Body Diagrams Text: p. 112 QuickCheck 4.11 An elevator, lifted by a cable, is moving upward and slowing. Which is QuickCheck 4.11 An elevator, lifted by a cable, is

More information

Lesson 1: What s My Rule?

Lesson 1: What s My Rule? Exploratory Activity In Module 2, we looked at an Algebra machine, as shown on the right. There is a rule that is used to determine the output value given any input value. Today, you and your partner will

More information

Exponential of a nonnormal matrix

Exponential of a nonnormal matrix Exponential of a nonnormal matrix Mario Berljafa Stefan Güttel February 2015 Contents 1 Introduction 1 2 Running RKFIT with real data 1 3 Evaluating the rational approximant 3 4 Some other choices for

More information

Forces are impossible to see! We can only see the effects! Essentially forces are pushes or pulls.

Forces are impossible to see! We can only see the effects! Essentially forces are pushes or pulls. Forces Workshop In this workshop we will cover the following: a. Names of Forces b. Water and Air resistance c. Upthrust d. Force arrows e. Balanced and unbalanced forces f. Effects of unbalanced forces

More information

Phys1220 Lab Electrical potential and field lines

Phys1220 Lab Electrical potential and field lines Phys1220 Lab Electrical potential and field lines Purpose of the experiment: To explore the relationship between electrical potential (a scalar quantity) and electric fields (a vector quantity). Background:

More information

ALGEBRA UNIT 11-GRAPHING QUADRATICS THE GRAPH OF A QUADRATIC FUNCTION (DAY 1)

ALGEBRA UNIT 11-GRAPHING QUADRATICS THE GRAPH OF A QUADRATIC FUNCTION (DAY 1) ALGEBRA UNIT 11-GRAPHING QUADRATICS THE GRAPH OF A QUADRATIC FUNCTION (DAY 1) The Quadratic Equation is written as: ; this equation has a degree of. Where a, b and c are integer coefficients (where a 0)

More information

2. (i) Find the equation of the circle which passes through ( 7, 1) and has centre ( 4, 3).

2. (i) Find the equation of the circle which passes through ( 7, 1) and has centre ( 4, 3). Circle 1. (i) Find the equation of the circle with centre ( 7, 3) and of radius 10. (ii) Find the centre of the circle 2x 2 + 2y 2 + 6x + 8y 1 = 0 (iii) What is the radius of the circle 3x 2 + 3y 2 + 5x

More information

Tu: 9/3/13 Math 471, Fall 2013, Section 001 Lecture 1

Tu: 9/3/13 Math 471, Fall 2013, Section 001 Lecture 1 Tu: 9/3/13 Math 71, Fall 2013, Section 001 Lecture 1 1 Course intro Notes : Take attendance. Instructor introduction. Handout : Course description. Note the exam days (and don t be absent). Bookmark the

More information

EE368/CS232 Digital Image Processing Winter Homework #5 Solutions

EE368/CS232 Digital Image Processing Winter Homework #5 Solutions EE368/CS232 Digital Image Processing Winter 2017-2018 Homework #5 Solutions 1. Solving a Jigsaw Puzzle We present one possible algorithm for solving the jigsaw puzzle. Other clearly explained algorithms

More information

Math 10C - Fall Final Exam

Math 10C - Fall Final Exam Math 1C - Fall 217 - Final Exam Problem 1. Consider the function f(x, y) = 1 x 2 (y 1) 2. (i) Draw the level curve through the point P (1, 2). Find the gradient of f at the point P and draw the gradient

More information

E&M: Worksheet 6 Fields, Potential, and Energy

E&M: Worksheet 6 Fields, Potential, and Energy Name Date Pd () (-) E&M: Worksheet 6 Fields, Potential, and Energy 1. Below are two parallel conducting plates, each carrying an equal quantity of excess charge of opposite type. The plates are separated

More information

Do insects prefer local or foreign foods? Featured scientist: Elizabeth Schultheis from Michigan State University

Do insects prefer local or foreign foods? Featured scientist: Elizabeth Schultheis from Michigan State University Name Do insects prefer local or foreign foods? Featured scientist: Elizabeth Schultheis from Michigan State University Research Background: Insects that feed on plants, called herbivores, can have big

More information

Solutions for examination in TSRT78 Digital Signal Processing,

Solutions for examination in TSRT78 Digital Signal Processing, Solutions for examination in TSRT78 Digital Signal Processing, 2014-04-14 1. s(t) is generated by s(t) = 1 w(t), 1 + 0.3q 1 Var(w(t)) = σ 2 w = 2. It is measured as y(t) = s(t) + n(t) where n(t) is white

More information

Motivation, Basic Concepts, Basic Methods, Travelling Salesperson Problem (TSP), Algorithms

Motivation, Basic Concepts, Basic Methods, Travelling Salesperson Problem (TSP), Algorithms Motivation, Basic Concepts, Basic Methods, Travelling Salesperson Problem (TSP), Algorithms 1 Next Step Application of simulated annealing to the Traveling Salesman problem. 2 Choosing a temperature schedule.

More information

1 The pendulum equation

1 The pendulum equation Math 270 Honors ODE I Fall, 2008 Class notes # 5 A longer than usual homework assignment is at the end. The pendulum equation We now come to a particularly important example, the equation for an oscillating

More information

Evaluate and Graph Polynomial Functions

Evaluate and Graph Polynomial Functions Evaluate and Graph Polynomial Functions Section 2.2 How do you identify and evaluate polynomial functions? What is synthetic substitution? How do you graph polynomial functions? Polynomial Function f(x)

More information

Energy Whiteboard Problems

Energy Whiteboard Problems Energy Whiteboard Problems 1. (a) Consider an object that is thrown vertically up into the air. Draw a graph of gravitational force vs. height for that object. (b) Based on your experience with the formula

More information

LB 220 Homework 4 Solutions

LB 220 Homework 4 Solutions LB 220 Homework 4 Solutions Section 11.4, # 40: This problem was solved in class on Feb. 03. Section 11.4, # 42: This problem was also solved in class on Feb. 03. Section 11.4, # 43: Also solved in class

More information

Newton 3 & Vectors. Action/Reaction. You Can OnlyTouch as Hard as You Are Touched 9/7/2009

Newton 3 & Vectors. Action/Reaction. You Can OnlyTouch as Hard as You Are Touched 9/7/2009 Newton 3 & Vectors Action/Reaction When you lean against a wall, you exert a force on the wall. The wall simultaneously exerts an equal and opposite force on you. You Can OnlyTouch as Hard as You Are Touched

More information

Section 14.8 Functions of more than three variables

Section 14.8 Functions of more than three variables Section 14.8 Functions of more than three variables (3/24/08) Overview: In this section we discuss functions with more than three variables and their derivatives. The necessary definitions, results, and

More information

Introduc)on to MATLAB for Control Engineers. EE 447 Autumn 2008 Eric Klavins

Introduc)on to MATLAB for Control Engineers. EE 447 Autumn 2008 Eric Klavins Introduc)on to MATLAB for Control Engineers EE 447 Autumn 28 Eric Klavins Part I Matrices and Vectors Whitespace separates entries and a semicolon separates rows. >> A=[1 2 3; 4 5 6; 7 8 9]; # A 3x3 matrix

More information

Algebra 1 Practice Test

Algebra 1 Practice Test Part 1: Directions: For questions 1-20, circle the correct answer on your answer sheet. 1. Solve for x: 2(x+ 7) 3(2x-4) = -18 A. x = 5 B. x = 11 C. x = -11 D. x = -5 2. Which system of equations is represented

More information

Lecture 17: variance in a band = log(s xx (f)) df (2) If we want to plot something that is more directly representative of variance, we can try this:

Lecture 17: variance in a band = log(s xx (f)) df (2) If we want to plot something that is more directly representative of variance, we can try this: UCSD SIOC 221A: (Gille) 1 Lecture 17: Recap We ve now spent some time looking closely at coherence and how to assign uncertainties to coherence. Can we think about coherence in a different way? There are

More information

Chapter 15: The Electric Field

Chapter 15: The Electric Field Chapter 15: The Electric Field Section 15.1: A Model of the Mechanisms for Electrostatic Interactions Action-At-A-Distance How can Object A affect Object B if they are not literally touching? Well, it's

More information

Chap. 19: Numerical Differentiation

Chap. 19: Numerical Differentiation Chap. 19: Numerical Differentiation Differentiation Definition of difference: y x f x x i x f x i As x is approaching zero, the difference becomes a derivative: dy dx lim x 0 f x i x f x i x 2 High-Accuracy

More information

Numerical Methods School of Mechanical Engineering Chung-Ang University

Numerical Methods School of Mechanical Engineering Chung-Ang University Part 2 Chapter 7 Optimization Prof. Hae-Jin Choi hjchoi@cau.ac.kr 1 Chapter Objectives l Understanding why and where optimization occurs in engineering and scientific problem solving. l Recognizing the

More information

FUNCTIONS AND MODELS

FUNCTIONS AND MODELS 1 FUNCTIONS AND MODELS FUNCTIONS AND MODELS 1.6 Inverse Functions and Logarithms In this section, we will learn about: Inverse functions and logarithms. INVERSE FUNCTIONS The table gives data from an experiment

More information

An Introduction to Forces Forces-part 1. Forces are Interactions

An Introduction to Forces Forces-part 1. Forces are Interactions An Introduction to Forces Forces-part 1 PHYS& 114: Eyres Forces are Interactions A force is an interaction between 2 objects Touching At a distance See the Fundamental Particle Chart (http://www.cpepphysics.org/images/2014-fund-chart.jpg)

More information

Science Test Revision

Science Test Revision John Buchan Middle School Science Test Revision 5E Earth, Sun and Moon 41 min 38 marks Name John Buchan Middle School 1 Level 3 1. Shadows (a) One sunny day, some children use a rounders post to make shadows

More information

26. Directional Derivatives & The Gradient

26. Directional Derivatives & The Gradient 26. Directional Derivatives & The Gradient Given a multivariable function z = f(x, y) and a point on the xy-plane P 0 = (x 0, y 0 ) at which f is differentiable (i.e. it is smooth with no discontinuities,

More information

Maps. 3. Which altitude of Polaris could be observed in New York State?

Maps. 3. Which altitude of Polaris could be observed in New York State? Name: Date: 1. For an observer in New York State, the altitude of Polaris is 43 above the northern horizon. This observer s latitude is closest to the latitude of A. New York City B. Utica 3. Which altitude

More information

Free Response- Exam Review

Free Response- Exam Review Free Response- Exam Review Name Base your answers to questions 1 through 3 on the information and diagram below and on your knowledge of physics. A 150-newton force, applied to a wooden crate at an angle

More information

User's Guide. 0 Contents. François Cuvelier December 16, Introduction 2

User's Guide. 0 Contents. François Cuvelier December 16, Introduction 2 User's Guide François Cuvelier December 16, 2017 Abstract This Matlab toolbox uses a simesh object, comming from the fcsimesh toolbox, to display simplicial meshes or datas on simplicial meshes. Its kernel

More information

Introduction. Matlab output for Problems 1 2. SOLUTIONS (Carl Tape) Ge111, Assignment #3: Gravity April 25, 2006

Introduction. Matlab output for Problems 1 2. SOLUTIONS (Carl Tape) Ge111, Assignment #3: Gravity April 25, 2006 SOLUTIONS (Carl Tape) Ge111, Assignment #3: Gravity April 25, 26 Introduction The point of this solution set is merely to plot the gravity data and show the basic computations. This document contains a

More information

Page 2. Q1.Figure 1 shows two iron nails hanging from a bar magnet. The iron nails which were unmagnetised are now magnetised.

Page 2. Q1.Figure 1 shows two iron nails hanging from a bar magnet. The iron nails which were unmagnetised are now magnetised. Q1.Figure 1 shows two iron nails hanging from a bar magnet. The iron nails which were unmagnetised are now magnetised. Figure 1 (a) Complete the sentence. Use a word from the box. forced induced permanent

More information

Newton s First Law. Newton s Second Law 9/29/11

Newton s First Law. Newton s Second Law 9/29/11 Newton s First Law Any object remains at constant velocity unless acted upon by a net force. AND In order for an object to accelerate, there must be a net force acting on it. Constant velocity could mean

More information

General Physics I Spring Applying Newton s Laws

General Physics I Spring Applying Newton s Laws General Physics I Spring 2011 Applying Newton s Laws 1 Equilibrium An object is in equilibrium if the net force acting on it is zero. According to Newton s first law, such an object will remain at rest

More information