6.1 Simulation of Simple Systems

Size: px
Start display at page:

Download "6.1 Simulation of Simple Systems"

Transcription

1 LESSON 6.1: SIMULATION OF SIMPLE SYSTEMS Simulation of Simple Systems In the previous lessons of Part II we looked at many simplified, yet realistic examples of dynamic systems. We have learned how to apply Newton s second law and alternate forms of the law such as impulse and momentum. We solved the equations of motion in closed form because we were able to solve them in closed form. In this lesson we will again use the modeling tools we have learned to model systems, but instead of neglecting terms that make the situation feasible in closed form, we will include these terms and use the computer to help solve our problem. MOTIVATION: The Trebuchet is a complicated machine, and in order to completely analyze the machine before and after construction, simulation of the system s dynamic equations can be very useful in deciding design factors such as counterbalance size, rocker-arm length, etc. The modeling tools such as impulse and momentum will allow us to bound the motion variables, but the fine details of the motion must be determined through simulation. This is true for the case when the system under study has simple closed form equations which are solvable with analytical tools, and the case (e.g. the Trebuchet) when the system equations are too complex for analytical solutions. Lesson Objectives In this lesson the student will learn: 1. the details of generating a dynamic model suitable for simulation in computer languages such as C, FORTRAN, MATLAB 1, Maple 2, and Mathematica 3 2. how to implement a simulation in pseudo-code. Application Example ACME and Bungee Jumping Word of the acumen of ACME Engineering is spreading. The owner of Wild and Wacky Bungee Jumping has sought ACME s professional advice. In order to get reasonable insurance rates for the venture, complete dynamic analysis of the arrangement has to be completed. If results of the analysis fall within the realm of safety, as specified by the insurer, the project can proceed. The proposed system is shown in figure 6.1. We will write the equations of motion for this system, then we will solve the equations numerically, that is, we will simulate the system on a computer. System Extent The proposed system for the thrill ride is shown in figure 6.1. It consists of the tower, the platform, the jumper, and the bungee cord. There are several points to note about the configuration. 1. The bungee cord is like a rubber band, it only resists motion when the cord is in tension. 2. The tension of the cord will not exist until the jumper has fallen L u ft from the jump off point. 1 MATLAB is a Trademark of xxxxx. 2 Maple is a Trademark of Waterloo xxx. 3 Mathematica is a Trademark of Wolfram Research Inc.

2 274 CHAPTER 6. SIMULATION AND DESIGN y H Figure 6.1: Bungee Jumping System Spring Force F s Linear Stiffening Softening Displacement y Figure 6.2: Three Spring Types 3. The tower must be tall enough so that the jumper doesn t pancake. 4. Cord failure is unallowable. 5. There are two basic modes of motion: (a) un-pulled, and (b) pulled. These repeat until the friction in the system dissipates all motion. We will assume that bungee cords come in three varieties. Force-elongation curves are shown in the figure 6.2. The first spring type is linear, the second stiffening, and the third is softening. The cords are limited to a 60 ft stretch before failure. Choosing Coordinates The height y of the jumper is shown in figure 6.1. For this analysis we will neglect any swing motion of the jumper. As can be seen from the figure, it may not be wise to neglect the swinging motion if the tower is close to the flight path. For now we will assume that the vertical motion is the most important. Define the System The freebody diagram is shown in figure 6.3. The forces are from the cord (F c ), air drag

3 LESSON 6.1: SIMULATION OF SIMPLE SYSTEMS 275 F c F c F d F d mg mg Figure 6.3: Jumper Freebody Diagrams (F d ), and weight. The figure on the left is for the trip down and the figure on the right is for the trip up. Notice the change in sign of the air drag F d. We realize that the spring force only acts when the cord is stretched, otherwise there is no spring force. This can be characterized as: { 0 if y > H Lu F c = (6.1) f(h L u y) if y H L u To account for the sign change of the air drag F d = cv 2 shown in figure 6.3, the Sign function will be used: { 1 if v 0 Sign(v) = (6.2) 1 if v < 0 Force-Motion Relationships We can write Newton s second law for the falling vertical motion as follows: F c + F d mg = m v (6.3) where the left-hand freebody diagram of figure 6.3 was referenced. For the upward motion, the right-hand freebody diagram is valid. We have: F c F d mg = m v (6.4) Other Equations The kinematics of the system are simple. We need only take two derivatives of the displacement y to describe the velocity and acceleration in the vertical direction. To generate an equation more suitable to simulation we combine equations 6.2 and 6.3 by using Sign(v) as a switching function: F c Sign(v)cv 2 mg = m v (6.5) the other equation we need, since we wrote acceleration as the derivative of velocity, is the kinematic relationship: ẏ = v (6.6) These two equation describe the vertical motion. We do, however, have to use equation 6.1 for F c.

4 276 CHAPTER 6. SIMULATION AND DESIGN Solve and Interpret Equation 6.5 is a nonlinear equation, which is difficult, if not impossible, to solve in closed form. Therefore, it is appropriate to perform simulations of equations 6.5 and 6.6 so we can quantify the motion of the jumper. Before we proceed, it should be noted that equation 6.5 can be written completely in terms of y and its derivatives if equation 6.6 and its derivatives are put into equation 6.5. That is F c Sign(ẏ)cẏ 2 mg = mÿ (6.7) This equation is called the 2 nd order form of the equation of motion. Equations 6.5 and 6.6 are called the 1 st order form of the equations of motion. Many computer solutions to differential equations require that the equations be in first order form with only the derivative terms on the left-hand side. The initial conditions on displacement and velocity must also be provided so that a solution can be executed. Pseudo-Code There are many commercially available mathematics packages that run on all sorts of computer hardware. The authors assume that the reader can obtain the legal rights to a package and can translate the pseudo-code presented below into the syntax of the package being used. The pseudo-code shown below is very close to the notation of the package MATLAB. The authors have worked extensively with Mathematica and Maple, so sample sources of Mathematica and Maple code are also presented in the Appendix. The general structure of the simulation will be that of a main body and of a function called by the main body. For the bungee problem the simulation code will resemble the following pseudo-code. Main Program End to = 0;! Initial time. tf = 60;! Final time. yo = [100 0] ;! Initial conditions y(0)=h=100, v(0)=0. y = odesolve( deriv,to,tf,yo,t);! EOM solver, pass derivatives. plot(t,y)! Plotting y(t) and v(t) vs time. Function Program function ydot = deriv(t,y);! Function for bungee simulation. Lu = 25;! Free-length of cord in feet. H = 100;! Tower height in feet. g = 32.2;! Consistent unit parameters. m = 0 / g;! Mass. c = 0.2;! Drag coefficient. k = 4;! Spring constant.! Implement spring function. if y(1) > H - Lu y[t] < H - Lu !Free or break. f = 0; else f = k * (H - Lu - y(1)); end ydot(1) =y(2);! Equation 6.6. ydot(2) = (-m*g - sign(y(2))*c*y(2)*y(2) + f)/m;! Equation 6.5.

5 LESSON 6.1: SIMULATION OF SIMPLE SYSTEMS Displacement (ft) Velocity (ft/s) - Time (sec) Figure 6.4: Time History: Linear Spring Displacement (ft) Velocity (ft/s) - Time (sec) Figure 6.5: Time History: Softening Spring End Function This particular simulation, with a linear spring with k = 4 lb ft, results in a time history of position and velocity as shown in figure 6.4. When the spring force function is replaced with the quadratic stiffening term the result will be, with k = 0.1, very similar to the linear case. However, when k is chosen to be a larger value, large differences in the response can be observed. When the softening spring is used, with k = , the response is as shown in figure 6.5. The response is very similar to the linear case. Yet as the reader should see for themselves, the result is very sensitive to the choice of k. As will be shown in Part IV of the textbook, energy conservation equations can be used to verify the numbers that the simulation provides. By assuming the ideal case of no air drag, energy conservation will give results that are estimates for the values at specified points in the simulation. For instance, the velocity of the jumper just before the cord gets taut could be checked with energy considerations. The maximum displacement of the cord could also be checked with energy conservation. These calculations are left as an exercise for the reader in Part IV of the textbook. End Example In this example we utilized simulation to determine the time history of a system. We did not spend much time doing what if parameter studies, but the simulation can be easily adjusted to do these studies. The reader should be able to implement this simulation in their favorite mathematics package, or by writing their own simulation in a suitable programming language. A Mathematica notebook is provided in bungee.nb. In the next example we utilize Mathematica to generate a planar simulation of a projectile

Name. VCE Physics Unit 3 Preparation Work

Name. VCE Physics Unit 3 Preparation Work Name. VCE Physics Unit 3 Preparation Work Transition into 2019 VCE Physics Unit 3+4 Units 3 and 4 include four core areas of study plus one detailed study. Unit 3: How do fields explain motion and electricity?

More information

What are Numerical Methods? (1/3)

What are Numerical Methods? (1/3) What are Numerical Methods? (1/3) Numerical methods are techniques by which mathematical problems are formulated so that they can be solved by arithmetic and logic operations Because computers excel at

More information

Non-textbook problem #I: The kinetic energy of a body depends on its mass and speed as. K = 1 2 mv2 (1) m 1 v 2 1 = 1 2 m 2v 2 2 (2)

Non-textbook problem #I: The kinetic energy of a body depends on its mass and speed as. K = 1 2 mv2 (1) m 1 v 2 1 = 1 2 m 2v 2 2 (2) PHY 309 K. Solutions for Problem set # 7. Non-textbook problem #I: The kinetic energy of a body depends on its mass and speed as K = 1 mv (1) Therefore, two bodies of respective masses m 1 and m and speeds

More information

Lesson 11: Mass-Spring, Resonance and ode45

Lesson 11: Mass-Spring, Resonance and ode45 Lesson 11: Mass-Spring, Resonance and ode45 11.1 Applied Problem. Trucks and cars have springs and shock absorbers to make a comfortable and safe ride. Without good shock absorbers, the truck or car will

More information

SOLUTION T 1 + U 1-2 = T C(31.5)(2.5)A10 6 B(0.2)D = 1 2 (7)(v 2) 2. v 2 = 2121 m>s = 2.12 km>s. Ans. (approx.

SOLUTION T 1 + U 1-2 = T C(31.5)(2.5)A10 6 B(0.2)D = 1 2 (7)(v 2) 2. v 2 = 2121 m>s = 2.12 km>s. Ans. (approx. 4 5. When a 7-kg projectile is fired from a cannon barrel that has a length of 2 m, the explosive force exerted on the projectile, while it is in the barrel, varies in the manner shown. Determine the approximate

More information

CHAPTER 1 INTRODUCTION TO NUMERICAL METHOD

CHAPTER 1 INTRODUCTION TO NUMERICAL METHOD CHAPTER 1 INTRODUCTION TO NUMERICAL METHOD Presenter: Dr. Zalilah Sharer 2018 School of Chemical and Energy Engineering Universiti Teknologi Malaysia 16 September 2018 Chemical Engineering, Computer &

More information

Announcements. Principle of Work and Energy - Sections Engr222 Spring 2004 Chapter Test Wednesday

Announcements. Principle of Work and Energy - Sections Engr222 Spring 2004 Chapter Test Wednesday Announcements Test Wednesday Closed book 3 page sheet sheet (on web) Calculator Chap 12.6-10, 13.1-6 Principle of Work and Energy - Sections 14.1-3 Today s Objectives: Students will be able to: a) Calculate

More information

PH211 Chapter 4 Solutions

PH211 Chapter 4 Solutions PH211 Chapter 4 Solutions 4.3.IDENTIFY: We know the resultant of two vectors of equal magnitude and want to find their magnitudes. They make the same angle with the vertical. Figure 4.3 SET UP: Take to

More information

EQUATIONS OF MOTION: RECTANGULAR COORDINATES

EQUATIONS OF MOTION: RECTANGULAR COORDINATES EQUATIONS OF MOTION: RECTANGULAR COORDINATES Today s Objectives: Students will be able to: 1. Apply Newton s second law to determine forces and accelerations for particles in rectilinear motion. In-Class

More information

Dynamics 4600:203 Homework 09 Due: April 04, 2008 Name:

Dynamics 4600:203 Homework 09 Due: April 04, 2008 Name: Dynamics 4600:03 Homework 09 Due: April 04, 008 Name: Please denote your answers clearly, i.e., box in, star, etc., and write neatly. There are no points for small, messy, unreadable work... please use

More information

Unit 2: Vector Dynamics

Unit 2: Vector Dynamics Multiple Choice Portion Unit 2: Vector Dynamics 1. Which one of the following best describes the motion of a projectile close to the surface of the Earth? (Assume no friction) Vertical Acceleration Horizontal

More information

Lesson 5. Luis Anchordoqui. Physics 168. Tuesday, September 26, 17

Lesson 5. Luis Anchordoqui. Physics 168. Tuesday, September 26, 17 Lesson 5 Physics 168 1 C. B.-Champagne Luis Anchordoqui 2 2 Work Done by a Constant Force distance moved times component of force in direction of displacement W = Fd cos 3 Work Done by a Constant Force

More information

5. All forces change the motion of objects. 6. The net force on an object is equal to the mass of the object times the acceleration of the object.

5. All forces change the motion of objects. 6. The net force on an object is equal to the mass of the object times the acceleration of the object. Motion, Forces, and Newton s Laws Newton s Laws of Motion What do you think? Read the two statements below and decide whether you agree or disagree with them. Place an A in the Before column if you agree

More information

Physics 231. Topic 7: Oscillations. Alex Brown October MSU Physics 231 Fall

Physics 231. Topic 7: Oscillations. Alex Brown October MSU Physics 231 Fall Physics 231 Topic 7: Oscillations Alex Brown October 14-19 2015 MSU Physics 231 Fall 2015 1 Key Concepts: Springs and Oscillations Springs Periodic Motion Frequency & Period Simple Harmonic Motion (SHM)

More information

Chapter 9b: Numerical Methods for Calculus and Differential Equations. Initial-Value Problems Euler Method Time-Step Independence MATLAB ODE Solvers

Chapter 9b: Numerical Methods for Calculus and Differential Equations. Initial-Value Problems Euler Method Time-Step Independence MATLAB ODE Solvers Chapter 9b: Numerical Methods for Calculus and Differential Equations Initial-Value Problems Euler Method Time-Step Independence MATLAB ODE Solvers Acceleration Initial-Value Problems Consider a skydiver

More information

ELASTIC STRINGS & SPRINGS

ELASTIC STRINGS & SPRINGS ELASTIC STRINGS & SPRINGS Question 1 (**) A particle of mass m is attached to one end of a light elastic string of natural length l and modulus of elasticity 25 8 mg. The other end of the string is attached

More information

NEWTON S LAWS OF MOTION (EQUATION OF MOTION) (Sections )

NEWTON S LAWS OF MOTION (EQUATION OF MOTION) (Sections ) NEWTON S LAWS OF MOTION (EQUATION OF MOTION) (Sections 13.1-13.3) Today s Objectives: Students will be able to: a) Write the equation of motion for an accelerating body. b) Draw the free-body and kinetic

More information

AP Physics C: Work, Energy, and Power Practice

AP Physics C: Work, Energy, and Power Practice AP Physics C: Work, Energy, and Power Practice 1981M2. A swing seat of mass M is connected to a fixed point P by a massless cord of length L. A child also of mass M sits on the seat and begins to swing

More information

PHYS 101 Previous Exam Problems. Force & Motion I

PHYS 101 Previous Exam Problems. Force & Motion I PHYS 101 Previous Exam Problems CHAPTER 5 Force & Motion I Newton s Laws Vertical motion Horizontal motion Mixed forces Contact forces Inclines General problems 1. A 5.0-kg block is lowered with a downward

More information

A B = AB cos θ = 100. = 6t. a(t) = d2 r(t) a(t = 2) = 12 ĵ

A B = AB cos θ = 100. = 6t. a(t) = d2 r(t) a(t = 2) = 12 ĵ 1. A ball is thrown vertically upward from the Earth s surface and falls back to Earth. Which of the graphs below best symbolizes its speed v(t) as a function of time, neglecting air resistance: The answer

More information

Potential Energy & Conservation of Energy

Potential Energy & Conservation of Energy PHYS 101 Previous Exam Problems CHAPTER 8 Potential Energy & Conservation of Energy Potential energy Conservation of energy conservative forces Conservation of energy friction Conservation of energy external

More information

The content contained in all sections of chapter 6 of the textbook is included on the AP Physics B exam.

The content contained in all sections of chapter 6 of the textbook is included on the AP Physics B exam. WORK AND ENERGY PREVIEW Work is the scalar product of the force acting on an object and the displacement through which it acts. When work is done on or by a system, the energy of that system is always

More information

Ballistic Pendulum. Caution

Ballistic Pendulum. Caution Ballistic Pendulum Caution In this experiment a steel ball is projected horizontally across the room with sufficient speed to injure a person. Be sure the line of fire is clear before firing the ball,

More information

Physics for Scientists and Engineers 4th Edition, 2017

Physics for Scientists and Engineers 4th Edition, 2017 A Correlation of Physics for Scientists and Engineers 4th Edition, 2017 To the AP Physics C: Mechanics Course Descriptions AP is a trademark registered and/or owned by the College Board, which was not

More information

Differential Equations and the Parachute Problem

Differential Equations and the Parachute Problem Differential Equations and the Parachute Problem Ronald Phoebus and Cole Reilly May 10, 2004 Abstract The parachute problem is a classical first semester differential equations problem often introduced

More information

CEE 271: Applied Mechanics II, Dynamics Lecture 9: Ch.13, Sec.4-5

CEE 271: Applied Mechanics II, Dynamics Lecture 9: Ch.13, Sec.4-5 1 / 40 CEE 271: Applied Mechanics II, Dynamics Lecture 9: Ch.13, Sec.4-5 Prof. Albert S. Kim Civil and Environmental Engineering, University of Hawaii at Manoa 2 / 40 EQUATIONS OF MOTION:RECTANGULAR COORDINATES

More information

Chapter 6: Applications of Integration

Chapter 6: Applications of Integration Chapter 6: Applications of Integration Section 6.4 Work Definition of Work Situation There is an object whose motion is restricted to a straight line (1-dimensional motion) There is a force applied to

More information

After the spring losses contact with both masses, the speed of m is the speed of 3m.

After the spring losses contact with both masses, the speed of m is the speed of 3m. Two masses, of size m and 3m, are at rest on a frictionless surface. A compressed, massless spring between the masses is suddenly allowed to uncompress, pushing the masses apart. m 3m After the spring

More information

Write down the equation which links gravitational field strength, gravitational potential energy, height and mass.

Write down the equation which links gravitational field strength, gravitational potential energy, height and mass. Q1.The figure below shows a student before and after a bungee jump. The bungee cord has an unstretched length of 20.0 m. The mass of the student is 50.0 kg. The gravitational field strength is 9.8 N /

More information

Special Mathematics Higher order linear equations

Special Mathematics Higher order linear equations Special Mathematics Higher order linear equations March 2018 ii Is there a better motivation than success? Ion Tiriac 2 Higher order linear equations Bungee jumping Bungee jumping is an activity that involves

More information

Old Exams Questions Ch. 8 T072 Q2.: Q5. Q7.

Old Exams Questions Ch. 8 T072 Q2.: Q5. Q7. Old Exams Questions Ch. 8 T072 Q2.: A ball slides without friction around a loop-the-loop (see Fig 2). A ball is released, from rest, at a height h from the left side of the loop of radius R. What is the

More information

PHY131H1S Class 10. Preparation for Practicals this week: Today: Equilibrium Mass, Weight, Gravity Weightlessness

PHY131H1S Class 10. Preparation for Practicals this week: Today: Equilibrium Mass, Weight, Gravity Weightlessness PHY131H1S Class 10 Today: Equilibrium Mass, Weight, Gravity Weightlessness Preparation for Practicals this week: Take a ride on the Burton Tower elevators! All 4 elevators in the 14-storey tower of McLennan

More information

SCI403: Physics. Course length: Two semesters. Materials: Physics: Problems and Solutions; materials for laboratory experiments

SCI403: Physics. Course length: Two semesters. Materials: Physics: Problems and Solutions; materials for laboratory experiments SCI403: Physics This course provides a comprehensive survey of all key areas: physical systems, measurement, kinematics, dynamics, momentum, energy, thermodynamics, waves, electricity, and magnetism, and

More information

Physics 12 Final Exam Review Booklet # 1

Physics 12 Final Exam Review Booklet # 1 Physics 12 Final Exam Review Booklet # 1 1. Which is true of two vectors whose sum is zero? (C) 2. Which graph represents an object moving to the left at a constant speed? (C) 3. Which graph represents

More information

KINETIC ENERGY AND WORK

KINETIC ENERGY AND WORK Chapter 7: KINETIC ENERGY AND WORK 1 Which of the following is NOT a correct unit for work? A erg B ft lb C watt D newton meter E joule 2 Which of the following groups does NOT contain a scalar quantity?

More information

message seeking volunteers:

message seeking volunteers: E-mail message seeking volunteers: Greetings! I am seeking graduate student volunteers to participate in a pilot study for my thesis work in physics education research. I estimate that the total time involved

More information

Physics 8, Fall 2013, Homework #5. Due at start of class on Friday, October 4, 2013

Physics 8, Fall 2013, Homework #5. Due at start of class on Friday, October 4, 2013 Physics 8, Fall 2013, Homework #5. Due at start of class on Friday, October 4, 2013 Problems marked with (*) must include your own drawing or graph representing the problem and at least one complete sentence

More information

Ch 3.7: Mechanical & Electrical Vibrations

Ch 3.7: Mechanical & Electrical Vibrations Ch 3.7: Mechanical & Electrical Vibrations Two important areas of application for second order linear equations with constant coefficients are in modeling mechanical and electrical oscillations. We will

More information

s_3x03 Page 1 Physics Samples

s_3x03 Page 1 Physics Samples Physics Samples KE, PE, Springs 1. A 1.0-kilogram rubber ball traveling east at 4.0 meters per second hits a wall and bounces back toward the west at 2.0 meters per second. Compared to the kinetic energy

More information

Lab 8: Ballistic Pendulum

Lab 8: Ballistic Pendulum Lab 8: Ballistic Pendulum Caution In this experiment a steel ball is projected horizontally across the room with sufficient speed to injure a person. Be sure the line of fire is clear before firing the

More information

Review: Newton s Laws

Review: Newton s Laws More force was needed to stop the rock Review: Newton s Laws F r 1 F r F r 3 F r 4 2 Newton s First Law The velocity of an object does not change unless a force acts on the object Newton s Second Law:

More information

Episode 304: Simple pendulum

Episode 304: Simple pendulum Episode 304: Simple pendulum This episode reinforces many of the fundamental ideas about SHM. Note a complication: a simple pendulum shows SHM only for small amplitude oscillations. Summary Student experiment:

More information

Chapter 6 Energy and Oscillations

Chapter 6 Energy and Oscillations Chapter 6 Energy and Oscillations Conservation of Energy In this chapter we will discuss one of the most important and fundamental principles in the universe. Energy is conserved. This means that in any

More information

Applied Mathematics B Study Guide

Applied Mathematics B Study Guide Science, Engineering and Technology Portfolio School of Life and Physical Sciences Foundation Studies (Applied Science/Engineering) Applied Mathematics B Study Guide Topics Kinematics Dynamics Work, Energy

More information

Potential energy functions used in Chapter 7

Potential energy functions used in Chapter 7 Potential energy functions used in Chapter 7 CHAPTER 7 CONSERVATION OF ENERGY Conservation of mechanical energy Conservation of total energy of a system Examples Origin of friction Gravitational potential

More information

Things going in circles

Things going in circles Things going in circles Physics 211 Syracuse University, Physics 211 Spring 2019 Walter Freeman February 18, 2019 W. Freeman Things going in circles February 18, 2019 1 / 30 Announcements Homework 4 due

More information

Kinematics 1D Kinematics 2D Dynamics Work and Energy

Kinematics 1D Kinematics 2D Dynamics Work and Energy Kinematics 1D Kinematics 2D Dynamics Work and Energy Kinematics 1 Dimension Kinematics 1 Dimension All about motion problems Frame of Reference orientation of an object s motion Used to anchor coordinate

More information

Chapter 15 Periodic Motion

Chapter 15 Periodic Motion Chapter 15 Periodic Motion Slide 1-1 Chapter 15 Periodic Motion Concepts Slide 1-2 Section 15.1: Periodic motion and energy Section Goals You will learn to Define the concepts of periodic motion, vibration,

More information

AP Physics C Summer Homework. Questions labeled in [brackets] are required only for students who have completed AP Calculus AB

AP Physics C Summer Homework. Questions labeled in [brackets] are required only for students who have completed AP Calculus AB 1. AP Physics C Summer Homework NAME: Questions labeled in [brackets] are required only for students who have completed AP Calculus AB 2. Fill in the radian conversion of each angle and the trigonometric

More information

AP Physics C: Mechanics: Syllabus 2

AP Physics C: Mechanics: Syllabus 2 AP Physics C: Mechanics: Syllabus 2 Scoring Components SC1 The course covers instruction in kinematics. 3 SC2 The course covers instruction in Newton s laws of 4 motion. SC3 The course covers instruction

More information

PHYS-2010: General Physics I Course Lecture Notes Section V

PHYS-2010: General Physics I Course Lecture Notes Section V PHYS-2010: General Physics I Course Lecture Notes Section V Dr. Donald G. Luttermoser East Tennessee State University Edition 2.5 Abstract These class notes are designed for use of the instructor and students

More information

PHYSICS 1 Simple Harmonic Motion

PHYSICS 1 Simple Harmonic Motion Advanced Placement PHYSICS 1 Simple Harmonic Motion Student 014-015 What I Absolutely Have to Know to Survive the AP* Exam Whenever the acceleration of an object is proportional to its displacement and

More information

2) A car accelerates from 5.0 m/s to 21 m/s at a rate of 3.0 m/s 2. How far does it travel while accelerating? A) 207 m B) 117 m C) 41 m D) 69 m

2) A car accelerates from 5.0 m/s to 21 m/s at a rate of 3.0 m/s 2. How far does it travel while accelerating? A) 207 m B) 117 m C) 41 m D) 69 m Name VECTORS 1) An airplane undergoes the following displacements: First, it flies 59 km in a direction 30 east of north. Next, it flies 58 km due south. Finally, it flies 100 km 30 north of west. Using

More information

End-of-Chapter Exercises

End-of-Chapter Exercises End-of-Chapter Exercises For all these exercises, assume that all strings are massless and all pulleys are both massless and frictionless. We will improve our model and learn how to account for the mass

More information

Introductory Physics, High School Learning Standards for a Full First-Year Course

Introductory Physics, High School Learning Standards for a Full First-Year Course Introductory Physics, High School Learning Standards for a Full First-Year Course I. C ONTENT S TANDARDS Central Concept: Newton s laws of motion and gravitation describe and predict the motion of 1.1

More information

Topic 2 Revision questions Paper

Topic 2 Revision questions Paper Topic 2 Revision questions Paper 1 3.1.2018 1. [1 mark] The graph shows the variation of the acceleration a of an object with time t. What is the change in speed of the object shown by the graph? A. 0.5

More information

(1) (3)

(1) (3) 1. This question is about momentum, energy and power. (a) In his Principia Mathematica Newton expressed his third law of motion as to every action there is always opposed an equal reaction. State what

More information

Mechanics. Time (s) Distance (m) Velocity (m/s) Acceleration (m/s 2 ) = + displacement/time.

Mechanics. Time (s) Distance (m) Velocity (m/s) Acceleration (m/s 2 ) = + displacement/time. Mechanics Symbols: Equations: Kinematics The Study of Motion s = distance or displacement v = final speed or velocity u = initial speed or velocity a = average acceleration s u+ v v v u v= also v= a =

More information

Kinesiology 201 Solutions Fluid and Sports Biomechanics

Kinesiology 201 Solutions Fluid and Sports Biomechanics Kinesiology 201 Solutions Fluid and Sports Biomechanics Tony Leyland School of Kinesiology Simon Fraser University Fluid Biomechanics 1. Lift force is a force due to fluid flow around a body that acts

More information

Name: Date: Period: AP Physics C Work HO11

Name: Date: Period: AP Physics C Work HO11 Name: Date: Period: AP Physics C Work HO11 1.) Rat pushes a 25.0 kg crate a distance of 6.0 m along a level floor at constant velocity by pushing horizontally on it. The coefficient of kinetic friction

More information

Page 2. Example Example Example Jerk in a String Example Questions B... 39

Page 2. Example Example Example Jerk in a String Example Questions B... 39 Page 1 Dynamics Newton's Laws...3 Newton s First Law... 3 Example 1... 3 Newton s Second Law...4 Example 2... 5 Questions A... 6 Vertical Motion...7 Example 3... 7 Example 4... 9 Example 5...10 Example

More information

Course syllabus Engineering Mechanics - Dynamics

Course syllabus Engineering Mechanics - Dynamics Course syllabus Engineering Mechanics - Dynamics COURSE DETAILS Type of study programme Study programme Course title Course code ECTS (Number of credits allocated) Course status Year of study Course Web

More information

NCSP 2 nd Ed Chapter 4 Solutions Forces

NCSP 2 nd Ed Chapter 4 Solutions Forces NCSP 2 nd Ed Chapter 4 Solutions Forces Question 1 (a) Answer 2.5 N north (b) Answer 101 N north (c) Answer 32 N, S72 W or W18 S (d) Answer 16 N, N22 W or W 68 S NCSP Chapter 4 Solutions 1 Question 2 p77

More information

Introductory Physics, High School Learning Standards for a Full First-Year Course

Introductory Physics, High School Learning Standards for a Full First-Year Course Introductory Physics, High School Learning Standards for a Full First-Year Course I. C O N T E N T S T A N D A R D S Central Concept: Newton s laws of motion and gravitation describe and predict the motion

More information

AP Physics C Summer Assignment Kinematics

AP Physics C Summer Assignment Kinematics AP Physics C Summer Assignment Kinematics 1. A car whose speed is 20 m/s passes a stationary motorcycle which immediately gives chase with a constant acceleration of 2.4 m/s 2. a. How far will the motorcycle

More information

Version PREVIEW Semester 1 Review Slade (22222) 1

Version PREVIEW Semester 1 Review Slade (22222) 1 Version PREVIEW Semester 1 Review Slade () 1 This print-out should have 48 questions. Multiple-choice questions may continue on the next column or page find all choices before answering. Holt SF 0Rev 10A

More information

1. A tennis ball of mass m moving horizontally with speed u strikes a vertical tennis racket. The ball bounces back with a horizontal speed v.

1. A tennis ball of mass m moving horizontally with speed u strikes a vertical tennis racket. The ball bounces back with a horizontal speed v. 1. A tennis ball of mass m moving horizontally with speed u strikes a vertical tennis racket. The ball bounces back with a horizontal speed v. The magnitude of the change in momentum of the ball is A.

More information

8. The graph below shows a beetle s movement along a plant stem.

8. The graph below shows a beetle s movement along a plant stem. Name: Block: Date: Introductory Physics: Midyear Review 1. Motion and Forces Central Concept: Newton s laws of motion and gravitation describe and predict the motion of most objects. 1.1 Compare and contrast

More information

The image below shows a student before and after a bungee jump.

The image below shows a student before and after a bungee jump. CHANGES IN ENERGY Q1. The image below shows a student before and after a bungee jump. The bungee cord has an unstretched length of 20 m. (a) For safety reasons, it is important that the bungee cord used

More information

APPLIED MATHEMATICS IM 02

APPLIED MATHEMATICS IM 02 IM SYLLABUS (2013) APPLIED MATHEMATICS IM 02 SYLLABUS Applied Mathematics IM 02 Syllabus (Available in September) 1 Paper (3 hours) Applied Mathematics (Mechanics) Aims A course based on this syllabus

More information

(a) On the dots below that represent the students, draw and label free-body diagrams showing the forces on Student A and on Student B.

(a) On the dots below that represent the students, draw and label free-body diagrams showing the forces on Student A and on Student B. 2003 B1. (15 points) A rope of negligible mass passes over a pulley of negligible mass attached to the ceiling, as shown above. One end of the rope is held by Student A of mass 70 kg, who is at rest on

More information

Chapter 4 Thrills and Chills >600 N If your weight is 600 N (blue vector), then the bathroom scale would have to be providing a force of greater than 600 N (red vector). Another way of looking at the situation

More information

Chapter 5 Force and Motion

Chapter 5 Force and Motion Chapter 5 Force and Motion Chapter Goal: To establish a connection between force and motion. Slide 5-2 Chapter 5 Preview Slide 5-3 Chapter 5 Preview Slide 5-4 Chapter 5 Preview Slide 5-5 Chapter 5 Preview

More information

Q Scheme Marks AOs. 1a States or uses I = F t M1 1.2 TBC. Notes

Q Scheme Marks AOs. 1a States or uses I = F t M1 1.2 TBC. Notes Q Scheme Marks AOs Pearson 1a States or uses I = F t M1 1.2 TBC I = 5 0.4 = 2 N s Answer must include units. 1b 1c Starts with F = m a and v = u + at Substitutes to get Ft = m(v u) Cue ball begins at rest

More information

CHAPTER 1. First-Order Differential Equations and Their Applications. 1.1 Introduction to Ordinary Differential Equations

CHAPTER 1. First-Order Differential Equations and Their Applications. 1.1 Introduction to Ordinary Differential Equations CHAPTER 1 First-Order Differential Equations and Their Applications 1.1 Introduction to Ordinary Differential Equations Differential equations are found in many areas of mathematics, science, and engineering.

More information

Ballistic Pendulum. Equipment- ballistic pendulum apparatus, 2 meter ruler, 30 cm ruler, blank paper, carbon paper, masking tape, scale PRECAUTION

Ballistic Pendulum. Equipment- ballistic pendulum apparatus, 2 meter ruler, 30 cm ruler, blank paper, carbon paper, masking tape, scale PRECAUTION Ballistic Pendulum Equipment- ballistic pendulum apparatus, 2 meter ruler, 30 cm ruler, blank paper, carbon paper, masking tape, scale PRECAUTION In this experiment a steel ball is projected horizontally

More information

Jumping Up. PY205m. apply the Energy Principle to the point particle system of the jumper, and

Jumping Up. PY205m. apply the Energy Principle to the point particle system of the jumper, and Jumping Up PY205m 1 Purpose In this lab you will review the Energy Principle and the Momentum Principle by fully analyzing what happens in a jump upward from a crouching position: apply the Energy Principle

More information

CHAPTER 4 NEWTON S LAWS OF MOTION

CHAPTER 4 NEWTON S LAWS OF MOTION 62 CHAPTER 4 NEWTON S LAWS O MOTION CHAPTER 4 NEWTON S LAWS O MOTION 63 Up to now we have described the motion of particles using quantities like displacement, velocity and acceleration. These quantities

More information

Lecture 11. Impulse/Momentum. Conservation of Momentum. Cutnell+Johnson: Impulse and Momentum

Lecture 11. Impulse/Momentum. Conservation of Momentum. Cutnell+Johnson: Impulse and Momentum Lecture 11 Impulse/Momentum Conservation of Momentum Cutnell+Johnson: 7.1-7.3 Impulse and Momentum We learned about work, which is the force times distance (times the cosine of the angle in between the

More information

GPE = m g h. GPE = w h. k = f d. PE elastic = ½ k d 2. Work = Force x distance. KE = ½ m v 2

GPE = m g h. GPE = w h. k = f d. PE elastic = ½ k d 2. Work = Force x distance. KE = ½ m v 2 1 NAME PERIOD PHYSICS GUIDESHEET ENERGY CONVERSIONS POTENTIAL AND KINETIC ENERGY ACTIVITY LESSON DESCRIPTION SCORE/POINTS 1. NT CLASS OVERHEAD NOTES (5 pts/page) (Plus 5 pts/page for sample questions)

More information

PHYSICS I RESOURCE SHEET

PHYSICS I RESOURCE SHEET PHYSICS I RESOURCE SHEET Cautions and Notes Kinematic Equations These are to be used in regions with constant acceleration only You must keep regions with different accelerations separate (for example,

More information

Regents Physics. Physics Midterm Review - Multiple Choice Problems

Regents Physics. Physics Midterm Review - Multiple Choice Problems Name Physics Midterm Review - Multiple Choice Problems Regents Physics 1. A car traveling on a straight road at 15.0 meters per second accelerates uniformly to a speed of 21.0 meters per second in 12.0

More information

Name 09-MAR-04. Work Power and Energy

Name 09-MAR-04. Work Power and Energy Page 1 of 16 Work Power and Energy Name 09-MAR-04 1. A spring has a spring constant of 120 newtons/meter. How much potential energy is stored in the spring as it is stretched 0.20 meter? 1. 2.4 J 3. 12

More information

To study applications of Newton s Laws as they. To study conditions that establish equilibrium. To consider contact forces and the effects of

To study applications of Newton s Laws as they. To study conditions that establish equilibrium. To consider contact forces and the effects of Chap. 5: More Examples with Newton s Law Chap.5: Applying Newton s Laws To study conditions that establish equilibrium. To study applications of Newton s Laws as they apply when the net force is not zero.

More information

AP Physics C 2015 Summer Assignment

AP Physics C 2015 Summer Assignment AP Physics C 2015 Summer Assignment College Board (the people in charge of AP exams) recommends students to only take AP Physics C if they have already taken a 1 st year physics course and are currently

More information

Chapter 4. Forces in One Dimension

Chapter 4. Forces in One Dimension Chapter 4 Forces in One Dimension Chapter 4 Forces in One Dimension In this chapter you will: *VD Note Use Newton s laws to solve problems. Determine the magnitude and direction of the net force that causes

More information

Foundations of Physical Science. Unit One: Forces and Motion

Foundations of Physical Science. Unit One: Forces and Motion Foundations of Physical Science Unit One: Forces and Motion Chapter 3: Forces and Motion 3.1 Force, Mass and Acceleration 3.2 Weight, Gravity and Friction 3.3 Equilibrium, Action and Reaction Learning

More information

Most people said that they understand force and acceleration. GOOD!

Most people said that they understand force and acceleration. GOOD! Questions and Answers on Dynamics 3/17/98 Thanks to the students who submitted questions and comments! I have grouped them by topic and shortened some of the long questions/comments. Please feel free to

More information

1 1. A spring has a spring constant of 120 newtons/meter. How much potential energy is stored in the spring as it is stretched 0.20 meter?

1 1. A spring has a spring constant of 120 newtons/meter. How much potential energy is stored in the spring as it is stretched 0.20 meter? Page of 3 Work Power And Energy TEACHER ANSWER KEY March 09, 200. A spring has a spring constant of 20 newtons/meter. How much potential energy is stored in the spring as it is stretched 0.20 meter?. 2.

More information

Chapter 5 Force and Motion

Chapter 5 Force and Motion Force F Chapter 5 Force and Motion is the interaction between objects is a vector causes acceleration Net force: vector sum of all the forces on an object. v v N v v v v v Ftotal Fnet = Fi = F1 + F2 +

More information

4.2. Visualize: Assess: Note that the climber does not touch the sides of the crevasse so there are no forces from the crevasse walls.

4.2. Visualize: Assess: Note that the climber does not touch the sides of the crevasse so there are no forces from the crevasse walls. 4.1. Solve: A force is basically a push or a pull on an object. There are five basic characteristics of forces. (i) A force has an agent that is the direct and immediate source of the push or pull. (ii)

More information

MiSP FORCE AND GRAVITY Teacher Guide, L1 L3. Introduction

MiSP FORCE AND GRAVITY Teacher Guide, L1 L3. Introduction MiSP FORCE AND GRAVITY Teacher Guide, L1 L3 Introduction This unit uses BASE jumping and skydiving to illustrate Newton s three laws of motion and to explore the concept of gravity. The activities are

More information

Topic 2.1: Kinematics. How do we analyze the motion of objects?

Topic 2.1: Kinematics. How do we analyze the motion of objects? Topic.1: Kinematics How do we analyze the motion of objects? Characteristic Graphs The most common kinematics problems involve uniform acceleration from rest These have a characteristic shape for each

More information

Impulse (J) J = FΔ t Momentum Δp = mδv Impulse and Momentum j = (F)( p = ( )(v) F)(Δ ) = ( )(Δv)

Impulse (J) J = FΔ t Momentum Δp = mδv Impulse and Momentum j = (F)( p = ( )(v) F)(Δ ) = ( )(Δv) Impulse (J) We create an unbalancing force to overcome the inertia of the object. the integral of force over time The unbalancing force is made up of the force we need to unbalance the object and the time

More information

Physics Courseware Physics I Energy Conservation

Physics Courseware Physics I Energy Conservation d Work work = Fd cos F Kinetic energy linear motion K. E. = mv Gravitational potential energy P. E. = mgh Physics Courseware Physics I Energy Conservation Problem.- A block is released from position A

More information

Everybody remains in a state of rest or continues to move in a uniform motion, in a straight line, unless acting on by an external force.

Everybody remains in a state of rest or continues to move in a uniform motion, in a straight line, unless acting on by an external force. NEWTON S LAWS OF MOTION Newton s First Law Everybody remains in a state of rest or continues to move in a uniform motion, in a straight line, unless acting on by an external force. Inertia (Newton s 1

More information

The Laws of Motion. Before You Read. Science Journal

The Laws of Motion. Before You Read. Science Journal The Laws of Motion Before You Read Before you read the chapter, use the What I know column to list three things you know about motion. Then list three questions you have about motion in the What I want

More information

Final Exam Review Topics/Problems

Final Exam Review Topics/Problems Final Exam Review Topics/Problems Units/Sig Figs Look at conversions Review sig figs Motion and Forces Newton s Laws X(t), v(t), a(t) graphs: look at F, displacement, accel, average velocity Boat problems/vector

More information

Dynamic Physics for Simulation and Game Programming

Dynamic Physics for Simulation and Game Programming Dynamic Physics for Simulation and Game Programming Mike Bailey mjb@cs.oregonstate.edu Think Geek physics-dynamic.pptx Discrete Dynamics 2. Force equals mass times acceleration (F=ma) a F m v t a vat v

More information

PHYSICS GUIDESHEET UNIT 5. - ENERGY SUBUNIT - ENERGY CONVERSIONS POTENTIAL AND KINETIC ENERGY ACTIVITY LESSON DESCRIPTION SCORE/POINTS

PHYSICS GUIDESHEET UNIT 5. - ENERGY SUBUNIT - ENERGY CONVERSIONS POTENTIAL AND KINETIC ENERGY ACTIVITY LESSON DESCRIPTION SCORE/POINTS 1 NAME PERIOD PHYSICS GUIDESHEET UNIT 5. - ENERGY SUBUNIT - ENERGY CONVERSIONS POTENTIAL AND KINETIC ENERGY ACTIVITY LESSON DESCRIPTION SCORE/POINTS 1. NT CLASS OVERHEAD NOTES (5 pts/page) /20 (Plus 5

More information