Overview In chapter 16 you learned how to calculate the Electric field from continuous distributions of charge; you follow four basic steps.

Size: px
Start display at page:

Download "Overview In chapter 16 you learned how to calculate the Electric field from continuous distributions of charge; you follow four basic steps."

Transcription

1 Materials: whiteboards, computers with VPython Objectives In this lab you will do the following: Computationally model the electric field of a uniformly charged rod Computationally model the electric field of a uniformly charged ring Computationally model the electric field of a uniformly charged plate Get practice with for in : loops and the linspace( ) function Overview In chapter 16 you learned how to calculate the Electric field from continuous distributions of charge; you follow four basic steps. General Procedure for calculating the electric field for a charge distribution 1. Divide the charged object into small (ideally, infinitesimal) segments and draw E, a representative segment s contribution to the field at an observation location. 2. Use the figure to guide your writing an expression for the electric field E due to the representative piece in terms of its location. 3. Add (integrate) up the contributions of all pieces to find the total field at an observation location 4. Check the results. Whether or not the sum can be rephrased as an integral with an analytical solution (one that can be done with pencil and paper), it can be approximated computationally. That is what you ll do in this lab. Feel free to refer to the VPython programs you wrote during Lab 1 and even cut and paste any useful code from those programs to the new ones. L Electric Field of a Uniformly Charged Rod I. One Observation Location You ll use VPython to model a uniformly, positively charged rod. The diagram to the left represents the first step in tackling this problem: illustrating the geometry of the charge distribution and observation L/2 location and a segment of that distribution s contribution to the field at the observation location. The next step is writing an expression for the field due to the segment s charge Q, approximating the segment as a point source. Q Q 1 1 E ro 4 ro s r o 2 4 o 3 o s r r o s o s -L/2 When the time comes, you ll want to translate this mathematical expression into VPython code. To get started on the program, open VPython from the desktop and then, from WebAssign, you can download a shell of the program that you ll wright - open it, copy and paste the text into the VPython window, and then save it as RodE1.py (remember, you need to type 1

2 the.py ). Please add your names in the first comment line of the code. The program is broken into the four basic sections: Constants, Objects, Initial Values, and Calculations. You ll need to complete a number of lines in each section. Some are pretty straightforward, given what you already know; here s the information pertaining to those lines of code: The rod has a total charge of 9e-8 Coulombs The rod is 2 meters long The point sources that approximate the continuous rod are 0.1m apart. The source is a cylinder lying along the y-axis and centered on the origin o A cylinder is defined much like an arrow: the pos locates one end (you ll want it at x=z=0, y = L/2), and the axis tells you how to get to the other end from there. The initial observation location is (0.1, 0.5, 0)m We ll return to the sourceys line in a moment. Represent the electric field at the observation location with an arrow positioned at the observation location and with length and direction (axis) that s proportional to the electric field. (You re creating this arrow before the loop, and you ll update its length in a moment, within the loop). The necessary calculations to determine the small electric field contribution, de, due to the small charge, dq, on a small segment of the rod (approximating it as a point charge) are performed. Update the length of the electric field vector according to the updated value of E. Now for the new bits; up in the Constants section, complete the sourceys line as sourceys = linspace(-l/2,l/2, Ns) This line creates a list of the y-components of the infinitesimal segments into which you break up the continuous source. More specifically, linspace is a function that creates a list of Ns (Number of source Segments) equally spaced numbers running from L/2 (bottom end of source rod) to L/2 (top end of source rod.) To see what I mean, temporarily add the following print line just beneath the sourceys = line: print(sourceys) and run your program. Aside from the pretty picture it creates in the display window (if there are no errors), in the other window, it should print out a list of values (Ns of them) running from -1 (which is -L/2) to 1 (which is L/2). This list gets used in controlling the for loop, for sourcey in sourceys: The code inside the loop is executed once for each of the Ns segments of the charge source. To make sure your program is functioning correctly, at the very end add a line (unindented) to print the final value of the electric field at your observation location and then check that value in WebAssign. The computational approximation small enough segments. In the programs that you wrote in Phys 231, you simulated the behavior of a system over some time interval, and you approximated the continuous flow of time as broken into discrete 2

3 steps, deltat. That begged the question are the time steps small enough for the positions, momenta, and forces to vary accurately? In this simulation (and many you ll write in this class), you re doing something similar and faced with a similar question. You re approximating a charge source that is smooth and continuous through a region of space (in this case, a rod along the y axis) as broken into discrete steps/point sources. That begs the question are the steps small enough to produce an accurate electric field? Depending on how accurate we need the model to be - whether we want the E field values to just be in the right ball park or, say, within 1% of the correct value we ll want to approximate the rod with fewer or more point charges. You generally want to approximate the object with point charges that are much closer to their neighbors than to your observation locations. Let s say we want to approximate the source as point charges that are 1/10 th as far apart as the observation location is from the source. Given the observation location s horizontal distance from the rod, how far apart should the point charges be? Then, given the total length of the source, approximately how many point charges should we use to approximate the source, that is, what should Ns be? Change Ns to that and re-run the program. You should notice that the E value it prints out is significantly different from what you got for dl =0.1. Let s say we want our field to be within about 5% of the correct value. To see whether you ve broken the source into closely-enough packed point charges, decrease dl by a factor of 10 and run the program again. o If the new E value is within 5% of the previous value, then you d probably approximated the source closely-enough packed point charges. Then, in the interest of not wasting time, I suggest you revert dl to its previous value. o But if the new E value is not within 5% of the previous value, then you ve certainly not broken the source into enough point charges. Then if that s the case, divide dl by 10 again and and check once more to see if your most recent two values of E are within 5% of each other. Repeat until the answer is yes, and, in the interest of not wasting time, return dl to its second-to-last value (10 times larger). You re done with the print(e) line, so you can comment it out. RodE1.py Save a new copy as RodE2.py. II. Ring of Observation Locations Rather than determining the electric field at just one observation location, you ll determine it at a number of locations along a circle about the rod (constant y coordinate, but varying x and z coordinates.) Rephrase the obsloc line in terms of radius and angle: obsloc = vector(ro*cos(obstheta), 0.5, Ro*sin(obstheta)) To make this work, you ll want to go back up to the Constants section and define the radius of your ring of observation locations to be Ro = 0.1 #m, radius of observation locations 3

4 Just to make sure things work, just before the obsloc line, define the observation angle to be pi ( ). Run the program to make sure it works. Of course, what you really want to do is step through observation angles. In preparation for that, move the obstheta = and the obsloc=. lines to just before the Earrow = line. Just before them, add a line, much like the sourcys= line, that uses the linspace(,, ) function to define the observation angles, obsthetas, running from 0 to 2*pi; I d suggest you ask for 6 angles over this range (since 2*pi is the same direction as 0, you ll really get 5 unique angles). Replace the obstheta = line with for obstheta in obsthetas: and indent all lines beneath it (highlight them all and then select Indent Region under the Format menu.) This will make the electric-field calculation get repeated for each observation location. Finally, you ll want to zero out the E field value before you move on to each new observation location. RodE2.py Save a new copy as RodE3.py. III. Multiple Rings of Observation Locations Finally, to get a more complete representation of the field all around the rod, you ll determine the electric field around a few rings along the length of the rod ; that is, you ll vary the observation locations y-coordinate. Follow similar steps to those in part II to Create a list of 8 y-component values for observation locations, obslocys. Replace the 0.5 in your obsloc = line with the variable obslocy. Loop over the calculations for each obslocy value in the list of obslocys. RodE3.py 4

5 Electric Field of a Uniformly Charged Ring You ll use VPython to model a uniformly, positively charged ring. You ll proceed much as you did for the rod first get your program to evaluate the field at just one observation location, and then evaluate at multiple observation locations. The ring you ll model has a radius of 0.3m and thickness of 0.01m; it is centered on the origin and lays in the y-z plane. It has uniform charge 50e-9 Coulombs. I. One Observation Location To help you visualize the relevant properties in the program that you ll write, on a whiteboard, draw a diagram similar to that at the beginning of this lab (but for a ring source rather than a rod source). It should have o axes, o the ring laying in the x-z plane and centered on the y axis, o a representative segment of the ring selected as an infinitesimal source, o three position vectors: one to the source segment ( r s ), one to a representative observation location ( r o ), and one getting from the source segment to the observation location ( r ). o s o and a vector at the observation location representing the segment s contribution to the field there ( Es r o ). Open a new VPython window and save as RingE1.py. Writing / Repurposing the Program. I suggest you also open your RodE1.py program (the version in which you d found the field of a rod at just one observation location) to reference as you build your new program. With that approach in mind, here are some important differences between the RingE1.py that you ll write and the RodE1.py that you ve already written. o Rather than having a set length, L, the ring has a set radius, R. o Rather than specifying a dl and later calculating Ns, it will be easier to just specify in the constants section an Ns, the number of segments into which you ll imagine breaking the source. Start with Ns = 20. o The source object will be a ring rather than a cylinder. A ring has the following attributes: pos, axis, radius, thickness and color. The last three are self-explanatory; for a ring, pos is the location of the ring s center, and axis is the direction that the ring faces (1,0,0). o Rather than defining sourceys which give the y components of the source segments, define sourcethetas which give the angle to each source segment. You ll use the linspace function to do this. While it would be tempting to use that to create a list of Ns angles that run from 0 to 2*pi, since 2*pi is the same direction as 0 and you don t want to give it double weight in determining the electric field, you ll instead run from 0 to 2*pi 2*pi/Ns. That will do what you really want. 5

6 o Your for in loop should now run for theta in sourcethetas. o You ll need to specify each source segment s location in terms of R and theta to create a ring in the x, z plane: vector(0, R*cos(theta), R*sin(theta)). o Finally, I d suggest temporarily slowing the rate down to rate(10), one cycle per second, so you can more easily visualize how the calculation is being performed one segment of the source at a time. o Use a print statement at the end of your program to output the value of the electric field at the observation location, and check that value in WebAssign. < , , e-014> The computational approximation small enough segments. As with the rod source, you want to make sure that you ve broken the ring source into enough / small-enough segments to give a good approximation to the electric field. Increase Ns (number of segments) until the electric field value printed doesn t change more than about 5%. You re done with the print(e) line, so you can comment it out. RingE1.py Save a new copy as RingE2.py. II. Plane of Observation Locations Rather than determining the electric field at just one observation location, you ll determine it at a number of equally-spaced observation locations in the x-y plane. Your observation locations will be a 21 by 21 grid of evenly-spaced points running over 1 m x 1m and 1 m y 1m. There are two ways you could structure your program to do this. One is to nest your E-field calculations in two while loops one over x coordinates and over y coordinates for the observation locations. The other is to first build a list of observation locations (much like you re using the linspace function to build a list of source angles) and then nest your E-field calculation in a single for loop. Feel free to take the former approach if you want, but I describe here how to do the latter since it s a demonstration of a good programming strategy divide a problem into little problems and tackle them individually. In the constants section of your program, define xmax and ymax to be 1 and define Nx and Ny to be 21. To create the list of observation locations, replace the line in which you define the observation location (obsloc = ) with the following obslocations=[] for obsx in linspace(-xmax,xmax,nx): for obsy in linspace(-ymax,ymax,ny): obslocations.append(vector(obsx,obsy,0)) Here s how it works. 6

7 o The first line prepares the program by creating an empty list of observation locations; that s like writing grocery list at the top of a piece of paper there s nothing listed yet, but now you re ready. o The last line takes the list you ve named obslocations and enters onto it the vector (obsx, obsy,0). o That this is nested within two for loops means it does that over and over again for different values of obsx and obsy. The end result is a list of the observation locations that you ll use. o To see this, temporarily add a print(obslocations) line right after this new code (and un-indented) and run the program. Note: you re not done modifying your code, so the program will crash, but not before it manages to print the list of observation locations. When done, comment out the print line. o Add the line for obsloc in obslocations: before your for theta in sourcethetas: line and indent all subsequent lines so they are within the for obsloc loop. o If they aren t already within the for obsloc loop, move these two lines to be the first two within the loop: E = vector(0,0,0) Earrow = arrow(pos = obsloc, axis = E*Escale, o Unfortunately, two of our observation locations are on the loop, and so E would be infinite there. To avoid that problem, add this pair of lines at the bottom of your for obsloc loop (indented just one level) if mag(e) > : Earrow.axis = vector(0,0,0) o Finally, increase the rate to rate(1000) or just comment it out so things aren t painfully slow. Pause and Consider: Rotate the scene with the mouse to get a feeling for the nature of the pattern of electric field. Look at your display; does it make sense? Do the magnitudes and directions of the orange arrows make sense? The electric field is zero at the center of the ring (why?). The electric field also approaches zero very far from the ring. Therefore we should expect that along the axis there should be a place where the magnitude of the field is a maximum. Do you see such a maximum on the axis in your display? RingE2.py 7

8 Electric Field of a Uniformly Charged Thin Plate You ll simply but carefully modify your RingE2.py program to instead model a uniformly, positively charged square plate. Save a copy of RingE2.py as PlateE.py Writing / Repurposing the Program. The plate you ll model measures 0.01m 0.3m 0.3 m. It has uniform charge 50e-9 Coulombs. Here are the modifications you ll want to make to your code. o The object you ll use to visually represent the source is a box. A box has attributes pos (location of its center), length, width, height, and color. Give your box length 0.01m, width 0.3m, and height 0.3m. I d suggest defining L, H, and W in your constants section and then referencing them within your source= box( ) line. o Just like you d created your obslocations, now create sourcelocations so its x components run from L/2 to L/2 in Ns steps and its y components run from H/2 to H/s in Ns steps. o Since the preceding step means you ve broken the source into Ns 2 segments, change the segment s charge, dq, to be Q/Ns**2. o In your calculations section, change the for theta in line to be for sourceloc in sourcelocations: and remove the subsequent line that used to define sourceloc in terms of R and theta since you ve already created all your source locations and stored them in the sourcelocations list. That should be it! PlateE.py 8

9 Phys 232 Lab

Calculating and displaying the magnetic field of a single moving charged particle

Calculating and displaying the magnetic field of a single moving charged particle 1 Introduction Calculating displaying the magnetic of a single moving charged particle A proton moves with a constant Calculating Calculating velocity of 4 10 displaying displaying 4 m/s in the the the

More information

Modeling the Motion of a Projectile in Air

Modeling the Motion of a Projectile in Air In this lab, you will do the following: Modeling the Motion of a Projectile in Air analyze the motion of an object fired from a cannon using two different fundamental physics principles: the momentum principle

More information

Calculations to predict motion or move objects (done repetitively in a loop)

Calculations to predict motion or move objects (done repetitively in a loop) Lab 2: Free Fall 1 Modeling Free Fall Now that you ve done experimental measurements of an object in free fall, you will model the motion of an object in free fall using numerical methods and compare your

More information

1 Newton s 2nd and 3rd Laws

1 Newton s 2nd and 3rd Laws Physics 13 - Winter 2007 Lab 2 Instructions 1 Newton s 2nd and 3rd Laws 1. Work through the tutorial called Newton s Second and Third Laws on pages 31-34 in the UW Tutorials in Introductory Physics workbook.

More information

Computer Model of Spring-Mass System, Part 3 of Springs Lab

Computer Model of Spring-Mass System, Part 3 of Springs Lab Computer Model of Spring-Mass System, Part 3 of Springs Lab QUESTIONS: Modeling the real world: Q1: Can a computer program of a mass-spring system, based on the finite-time form of the momentum principle

More information

Union College Winter 2013

Union College Winter 2013 Union College Winter 2013 Physics 121 Lab #4: Numerical Calculations of the Magnetic Field from a Moving Charge In Lab #3 you gained a little experience about using computers to calculate the electric

More information

Math Lab 8: Electric Fields Integrating Continuous Charge Distributions II Due noon Thu. Feb. 1 in class

Math Lab 8: Electric Fields Integrating Continuous Charge Distributions II Due noon Thu. Feb. 1 in class Matter & Motion Winter 2017 18 Name: Math Lab 8: Electric Fields Integrating Continuous Charge Distributions II Due noon Thu. Feb. 1 in class Goals: 1. Learn to use Mathematica to plot functions and to

More information

Welcome. to Electrostatics

Welcome. to Electrostatics Welcome to Electrostatics Outline 1. Coulomb s Law 2. The Electric Field - Examples 3. Gauss Law - Examples 4. Conductors in Electric Field Coulomb s Law Coulomb s law quantifies the magnitude of the electrostatic

More information

Computer Model of Spring-Mass System. Q1: Can a computer model of a mass-spring system, based on the finite-time form of the momentum principle

Computer Model of Spring-Mass System. Q1: Can a computer model of a mass-spring system, based on the finite-time form of the momentum principle QUESTIONS: Parts I, II (this week s activity): Computer Model of Spring-Mass System Q1: Can a computer model of a mass-spring system, based on the finite-time form of the momentum principle and using your

More information

LAB 2 - ONE DIMENSIONAL MOTION

LAB 2 - ONE DIMENSIONAL MOTION Name Date Partners L02-1 LAB 2 - ONE DIMENSIONAL MOTION OBJECTIVES Slow and steady wins the race. Aesop s fable: The Hare and the Tortoise To learn how to use a motion detector and gain more familiarity

More information

Electric Fields and Equipotentials

Electric Fields and Equipotentials OBJECTIVE Electric Fields and Equipotentials To study and describe the two-dimensional electric field. To map the location of the equipotential surfaces around charged electrodes. To study the relationship

More information

Project 3: Pendulum. Physics 2300 Spring 2018 Lab partner

Project 3: Pendulum. Physics 2300 Spring 2018 Lab partner Physics 2300 Spring 2018 Name Lab partner Project 3: Pendulum In this project you will explore the behavior of a pendulum. There is no better example of a system that seems simple at first but turns out

More information

Linear Motion with Constant Acceleration

Linear Motion with Constant Acceleration Linear Motion 1 Linear Motion with Constant Acceleration Overview: First you will attempt to walk backward with a constant acceleration, monitoring your motion with the ultrasonic motion detector. Then

More information

Physics E-1ax, Fall 2014 Experiment 3. Experiment 3: Force. 2. Find your center of mass by balancing yourself on two force plates.

Physics E-1ax, Fall 2014 Experiment 3. Experiment 3: Force. 2. Find your center of mass by balancing yourself on two force plates. Learning Goals Experiment 3: Force After you finish this lab, you will be able to: 1. Use Logger Pro to analyze video and calculate position, velocity, and acceleration. 2. Find your center of mass by

More information

EXPERIMENT 7: ANGULAR KINEMATICS AND TORQUE (V_3)

EXPERIMENT 7: ANGULAR KINEMATICS AND TORQUE (V_3) TA name Lab section Date TA Initials (on completion) Name UW Student ID # Lab Partner(s) EXPERIMENT 7: ANGULAR KINEMATICS AND TORQUE (V_3) 121 Textbook Reference: Knight, Chapter 13.1-3, 6. SYNOPSIS In

More information

Introduction to Computer Tools and Uncertainties

Introduction to Computer Tools and Uncertainties Experiment 1 Introduction to Computer Tools and Uncertainties 1.1 Objectives To become familiar with the computer programs and utilities that will be used throughout the semester. To become familiar with

More information

Part I Electrostatics. 1: Charge and Coulomb s Law July 6, 2008

Part I Electrostatics. 1: Charge and Coulomb s Law July 6, 2008 Part I Electrostatics 1: Charge and Coulomb s Law July 6, 2008 1.1 What is Electric Charge? 1.1.1 History Before 1600CE, very little was known about electric properties of materials, or anything to do

More information

Exploring Graphs of Polynomial Functions

Exploring Graphs of Polynomial Functions Name Period Exploring Graphs of Polynomial Functions Instructions: You will be responsible for completing this packet by the end of the period. You will have to read instructions for this activity. Please

More information

Electric Fields and Equipotentials

Electric Fields and Equipotentials Electric Fields and Equipotentials Note: There is a lot to do in this lab. If you waste time doing the first parts, you will not have time to do later ones. Please read this handout before you come to

More information

Fundamentals of Circuits I: Current Models, Batteries & Bulbs

Fundamentals of Circuits I: Current Models, Batteries & Bulbs Name: Lab Partners: Date: Pre-Lab Assignment: Fundamentals of Circuits I: Current Models, Batteries & Bulbs (Due at the beginning of lab) 1. Explain why in Activity 1.1 the plates will be charged in several

More information

VPython Class 2: Functions, Fields, and the dreaded ˆr

VPython Class 2: Functions, Fields, and the dreaded ˆr Physics 212E Classical and Modern Physics Spring 2016 1. Introduction VPython Class 2: Functions, Fields, and the dreaded ˆr In our study of electric fields, we start with a single point charge source

More information

Gauss Law. In this chapter, we return to the problem of finding the electric field for various distributions of charge.

Gauss Law. In this chapter, we return to the problem of finding the electric field for various distributions of charge. Gauss Law In this chapter, we return to the problem of finding the electric field for various distributions of charge. Question: A really important field is that of a uniformly charged sphere, or a charged

More information

Chapter 14: Finding the Equilibrium Solution and Exploring the Nature of the Equilibration Process

Chapter 14: Finding the Equilibrium Solution and Exploring the Nature of the Equilibration Process Chapter 14: Finding the Equilibrium Solution and Exploring the Nature of the Equilibration Process Taking Stock: In the last chapter, we learned that equilibrium problems have an interesting dimension

More information

Please read this introductory material carefully; it covers topics you might not yet have seen in class.

Please read this introductory material carefully; it covers topics you might not yet have seen in class. b Lab Physics 211 Lab 10 Torque What You Need To Know: Please read this introductory material carefully; it covers topics you might not yet have seen in class. F (a) (b) FIGURE 1 Forces acting on an object

More information

Conservation of Momentum

Conservation of Momentum Learning Goals Conservation of Momentum After you finish this lab, you will be able to: 1. Use Logger Pro to analyze video and calculate position, velocity, and acceleration. 2. Use the equations for 2-dimensional

More information

2013 Purdue University 1

2013 Purdue University 1 Lab #11 Collisions: Rutherford Scattering OBJECTIVES In this lab you will: Use the energy and momentum principles to analyze the problem of Rutherford scattering, and estimate the initial conditions to

More information

Magnetostatics: Part 1

Magnetostatics: Part 1 Magnetostatics: Part 1 We present magnetostatics in comparison with electrostatics. Sources of the fields: Electric field E: Coulomb s law. Magnetic field B: Biot-Savart law. Charge Current (moving charge)

More information

Physic 602 Conservation of Momentum. (Read objectives on screen.)

Physic 602 Conservation of Momentum. (Read objectives on screen.) Physic 602 Conservation of Momentum (Read objectives on screen.) Good. You re back. We re just about ready to start this lab on conservation of momentum during collisions and explosions. In the lab, we

More information

2 Electric Field Mapping Rev1/05

2 Electric Field Mapping Rev1/05 2 Electric Field Mapping Rev1/05 Theory: An electric field is a vector field that is produced by an electric charge. The source of the field may be a single charge or many charges. To visualize an electric

More information

PHY 221 Lab 9 Work and Energy

PHY 221 Lab 9 Work and Energy PHY 221 Lab 9 Work and Energy Name: Partners: Before coming to lab, please read this packet and do the prelab on page 13 of this handout. Goals: While F = ma may be one of the most important equations

More information

Partner s Name: EXPERIMENT MOTION PLOTS & FREE FALL ACCELERATION

Partner s Name: EXPERIMENT MOTION PLOTS & FREE FALL ACCELERATION Name: Partner s Name: EXPERIMENT 500-2 MOTION PLOTS & FREE FALL ACCELERATION APPARATUS Track and cart, pole and crossbar, large ball, motion detector, LabPro interface. Software: Logger Pro 3.4 INTRODUCTION

More information

Mechanics Cycle 1 Chapter 12. Chapter 12. Forces Causing Curved Motion

Mechanics Cycle 1 Chapter 12. Chapter 12. Forces Causing Curved Motion Chapter 1 Forces Causing Curved Motion A Force Must be Applied to Change Direction Coordinates, Angles, Angular Velocity, and Angular Acceleration Centripetal Acceleration and Tangential Acceleration Along

More information

Physics 212E Spring 2004 Classical and Modern Physics. Computer Exercise #2

Physics 212E Spring 2004 Classical and Modern Physics. Computer Exercise #2 Physics 212E Spring 2004 Classical and Modern Physics Chowdary Computer Exercise #2 Launch Mathematica by clicking on the Start menu (lower left hand corner of the screen); from there go up to Science

More information

Hi, my name is Dr. Ann Weaver of Argosy University. This WebEx is about something in statistics called z-

Hi, my name is Dr. Ann Weaver of Argosy University. This WebEx is about something in statistics called z- Hi, my name is Dr. Ann Weaver of Argosy University. This WebEx is about something in statistics called z- Scores. I have two purposes for this WebEx, one, I just want to show you how to use z-scores in

More information

The Chemistry of Respiration and Photosynthesis

The Chemistry of Respiration and Photosynthesis The Chemistry of Respiration and Photosynthesis Objective- You should be able to write balanced equations for respiration and photosynthesis and explain how the two equations are related. Directions :

More information

PHYSICS 220 LAB #3: STATIC EQUILIBRIUM FORCES

PHYSICS 220 LAB #3: STATIC EQUILIBRIUM FORCES Lab Section M / T / W / Th /24 pts Name: Partners: PHYSICS 220 LAB #3: STATIC EQUILIBRIUM FORCES OBJECTIVES 1. To verify the conditions for static equilibrium. 2. To get practice at finding components

More information

The Electric Field. Lecture 2. Chapter 23. Department of Physics and Applied Physics

The Electric Field. Lecture 2. Chapter 23. Department of Physics and Applied Physics Lecture 2 Chapter 23 The Electric Field Course website: http://faculty.uml.edu/andriy_danylov/teaching/physicsii Today we are going to discuss: Chapter 23: Section 22.5 Section 23.1 Section 23.2 (skip

More information

Phys 0175 Practice Midterm Exam II Feb 25, 2009

Phys 0175 Practice Midterm Exam II Feb 25, 2009 Phys 0175 Practice Midterm Exam II Feb 25, 2009 Note: THIS IS A REPRESENTATION OF THE ACTUAL TEST. It is a sample and does not include questions on every topic covered since the start of the semester.

More information

15. LECTURE 15. I can calculate the dot product of two vectors and interpret its meaning. I can find the projection of one vector onto another one.

15. LECTURE 15. I can calculate the dot product of two vectors and interpret its meaning. I can find the projection of one vector onto another one. 5. LECTURE 5 Objectives I can calculate the dot product of two vectors and interpret its meaning. I can find the projection of one vector onto another one. In the last few lectures, we ve learned that

More information

Experiment 0 ~ Introduction to Statistics and Excel Tutorial. Introduction to Statistics, Error and Measurement

Experiment 0 ~ Introduction to Statistics and Excel Tutorial. Introduction to Statistics, Error and Measurement Experiment 0 ~ Introduction to Statistics and Excel Tutorial Many of you already went through the introduction to laboratory practice and excel tutorial in Physics 1011. For that reason, we aren t going

More information

Sequential Logic (3.1 and is a long difficult section you really should read!)

Sequential Logic (3.1 and is a long difficult section you really should read!) EECS 270, Fall 2014, Lecture 6 Page 1 of 8 Sequential Logic (3.1 and 3.2. 3.2 is a long difficult section you really should read!) One thing we have carefully avoided so far is feedback all of our signals

More information

Making Measurements. On a piece of scrap paper, write down an appropriate reading for the length of the blue rectangle shown below: (then continue )

Making Measurements. On a piece of scrap paper, write down an appropriate reading for the length of the blue rectangle shown below: (then continue ) On a piece of scrap paper, write down an appropriate reading for the length of the blue rectangle shown below: (then continue ) 0 1 2 3 4 5 cm If the measurement you made was 3.7 cm (or 3.6 cm or 3.8 cm),

More information

Physics 201 Lab 2 Air Drag Simulation

Physics 201 Lab 2 Air Drag Simulation Physics 201 Lab 2 Air Drag Simulation Jan 28, 2013 Equipment Initial Set Up Type the data from Table 1 into the appropriate cells. By preceding the content of the cell with an equal sign (as in cell A6)

More information

ACCESS TO SCIENCE, ENGINEERING AND AGRICULTURE: MATHEMATICS 1 MATH00030 SEMESTER / Lines and Their Equations

ACCESS TO SCIENCE, ENGINEERING AND AGRICULTURE: MATHEMATICS 1 MATH00030 SEMESTER / Lines and Their Equations ACCESS TO SCIENCE, ENGINEERING AND AGRICULTURE: MATHEMATICS 1 MATH00030 SEMESTER 1 017/018 DR. ANTHONY BROWN. Lines and Their Equations.1. Slope of a Line and its y-intercept. In Euclidean geometry (where

More information

Representations of Motion in One Dimension: Speeding up and slowing down with constant acceleration

Representations of Motion in One Dimension: Speeding up and slowing down with constant acceleration Representations of Motion in One Dimension: Speeding up and slowing down with constant acceleration Name: Group Members: Date: TA s Name: Apparatus: Aluminum track and supports, PASCO Smart Cart, two cart

More information

Pre-calculus is the stepping stone for Calculus. It s the final hurdle after all those years of

Pre-calculus is the stepping stone for Calculus. It s the final hurdle after all those years of Chapter 1 Beginning at the Very Beginning: Pre-Pre-Calculus In This Chapter Brushing up on order of operations Solving equalities Graphing equalities and inequalities Finding distance, midpoint, and slope

More information

DIFFERENTIAL EQUATIONS

DIFFERENTIAL EQUATIONS DIFFERENTIAL EQUATIONS Basic Concepts Paul Dawkins Table of Contents Preface... Basic Concepts... 1 Introduction... 1 Definitions... Direction Fields... 8 Final Thoughts...19 007 Paul Dawkins i http://tutorial.math.lamar.edu/terms.aspx

More information

PHY221 Lab 2 - Experiencing Acceleration: Motion with constant acceleration; Logger Pro fits to displacement-time graphs

PHY221 Lab 2 - Experiencing Acceleration: Motion with constant acceleration; Logger Pro fits to displacement-time graphs Page 1 PHY221 Lab 2 - Experiencing Acceleration: Motion with constant acceleration; Logger Pro fits to displacement-time graphs Print Your Name Print Your Partners' Names You will return this handout to

More information

Equipotential and Electric Field Mapping

Equipotential and Electric Field Mapping Experiment 1 Equipotential and Electric Field Mapping 1.1 Objectives 1. Determine the lines of constant electric potential for two simple configurations of oppositely charged conductors. 2. Determine the

More information

CHM 105 & 106 UNIT 2, LECTURE SEVEN 1 IN OUR PREVIOUS LECTURE WE WERE TALKING ABOUT THE DYNAMICS OF DISSOLVING AND WE

CHM 105 & 106 UNIT 2, LECTURE SEVEN 1 IN OUR PREVIOUS LECTURE WE WERE TALKING ABOUT THE DYNAMICS OF DISSOLVING AND WE CHM 105 & 106 UNIT 2, LECTURE SEVEN 1 CHM 105/106 Program 14: Unit 2 Lecture 7 IN OUR PREVIOUS LECTURE WE WERE TALKING ABOUT THE DYNAMICS OF DISSOLVING AND WE WERE TALKING ABOUT PARTICLES GAINING ENERGY

More information

Introduction to Special Relativity

Introduction to Special Relativity 1 Introduction to Special Relativity PHYS 1301 F99 Prof. T.E. Coan version: 20 Oct 98 Introduction This lab introduces you to special relativity and, hopefully, gives you some intuitive understanding of

More information

Please bring the task to your first physics lesson and hand it to the teacher.

Please bring the task to your first physics lesson and hand it to the teacher. Pre-enrolment task for 2014 entry Physics Why do I need to complete a pre-enrolment task? This bridging pack serves a number of purposes. It gives you practice in some of the important skills you will

More information

A Series Transformations

A Series Transformations .3 Constructing Rotations We re halfway through the transformations and our next one, the rotation, gives a congruent image just like the reflection did. Just remember that a series of transformations

More information

Unit 1: Equilibrium and Center of Mass

Unit 1: Equilibrium and Center of Mass Unit 1: Equilibrium and Center of Mass FORCES What is a force? Forces are a result of the interaction between two objects. They push things, pull things, keep things together, pull things apart. It s really

More information

MA554 Assessment 1 Cosets and Lagrange s theorem

MA554 Assessment 1 Cosets and Lagrange s theorem MA554 Assessment 1 Cosets and Lagrange s theorem These are notes on cosets and Lagrange s theorem; they go over some material from the lectures again, and they have some new material it is all examinable,

More information

Equipotentials and Electric Fields

Equipotentials and Electric Fields Equipotentials and Electric Fields PURPOSE In this lab, we will investigate the relationship between the equipotential surfaces and electric field lines in the region around several different electrode

More information

Physics Motion Math. (Read objectives on screen.)

Physics Motion Math. (Read objectives on screen.) Physics 302 - Motion Math (Read objectives on screen.) Welcome back. When we ended the last program, your teacher gave you some motion graphs to interpret. For each section, you were to describe the motion

More information

Using Microsoft Excel

Using Microsoft Excel Using Microsoft Excel Objective: Students will gain familiarity with using Excel to record data, display data properly, use built-in formulae to do calculations, and plot and fit data with linear functions.

More information

PROJECTIONS AND COORDINATES EXPLORED THROUGH GOOGLE EARTH EXERCISE (SOLUTION SHEET)

PROJECTIONS AND COORDINATES EXPLORED THROUGH GOOGLE EARTH EXERCISE (SOLUTION SHEET) PROJECTIONS AND COORDINATES EXPLORED THROUGH GOOGLE EARTH EXERCISE (SOLUTION SHEET) Name: Date: Period: Note: Correct answers on some problems are indicated with a yellow highlight. PROJECTIONS 1. Here

More information

Gauss s law for electric fields

Gauss s law for electric fields 1 Gauss s law for electric fields In Maxwell s Equations, you ll encounter two kinds of electric field: the electrostatic field produced by electric charge and the induced electric field produced by a

More information

To factor an expression means to write it as a product of factors instead of a sum of terms. The expression 3x

To factor an expression means to write it as a product of factors instead of a sum of terms. The expression 3x Factoring trinomials In general, we are factoring ax + bx + c where a, b, and c are real numbers. To factor an expression means to write it as a product of factors instead of a sum of terms. The expression

More information

PHY222 Lab 2 - Electric Fields Mapping the Potential Curves and Field Lines of an Electric Dipole

PHY222 Lab 2 - Electric Fields Mapping the Potential Curves and Field Lines of an Electric Dipole Print Your Name PHY222 Lab 2 - Electric Fields Mapping the Potential Curves and Field Lines of an Electric Dipole Print Your Partners' Names Instructions January 23, 2015 Before lab, read the Introduction,

More information

LAB Exercise #4 - Answers The Traction Vector and Stress Tensor. Introduction. Format of lab. Preparation reading

LAB Exercise #4 - Answers The Traction Vector and Stress Tensor. Introduction. Format of lab. Preparation reading LAB Exercise #4 - Answers The Traction Vector and Stress Tensor Due: Thursday, 26 February 2009 (Special Thanks to D.D. Pollard who pioneered this exercise in 1991) Introduction Stress concentrations in

More information

Conservation of Momentum

Conservation of Momentum Conservation of Momentum PURPOSE To investigate the behavior of objects colliding in elastic and inelastic collisions. To investigate momentum and energy conservation for a pair of colliding carts. To

More information

Calculus Workshop. Calculus Workshop 1

Calculus Workshop. Calculus Workshop 1 Physics 251 Laboratory Calculus Workshop For the next three lab periods we will be reviewing the concept of density and learning the calculus techniques necessary to succeed in Physics 251. The first week

More information

CS1110 Lab 3 (Feb 10-11, 2015)

CS1110 Lab 3 (Feb 10-11, 2015) CS1110 Lab 3 (Feb 10-11, 2015) First Name: Last Name: NetID: The lab assignments are very important and you must have a CS 1110 course consultant tell CMS that you did the work. (Correctness does not matter.)

More information

Electric Fields and Continuous Charge Distributions Challenge Problem Solutions

Electric Fields and Continuous Charge Distributions Challenge Problem Solutions Problem 1: Electric Fields and Continuous Charge Distributions Challenge Problem Solutions Two thin, semi-infinite rods lie in the same plane They make an angle of 45º with each other and they are joined

More information

Math Fundamentals for Statistics I (Math 52) Unit 7: Connections (Graphs, Equations and Inequalities)

Math Fundamentals for Statistics I (Math 52) Unit 7: Connections (Graphs, Equations and Inequalities) Math Fundamentals for Statistics I (Math 52) Unit 7: Connections (Graphs, Equations and Inequalities) By Scott Fallstrom and Brent Pickett The How and Whys Guys This work is licensed under a Creative Commons

More information

6 TH GRADE ACCURATE PLANET SIZES AND DISTANCE FROM THE SUN ACTIVITY

6 TH GRADE ACCURATE PLANET SIZES AND DISTANCE FROM THE SUN ACTIVITY 6 TH GRADE ACCURATE PLANET SIZES AND DISTANCE FROM THE SUN ACTIVITY Summary: Accurate planet size and distance from the Sun is studied in this lesson. Each student constructs a correctly scaled diagram

More information

Integrals in Electrostatic Problems

Integrals in Electrostatic Problems PHYS 119 Integrals in Electrostatic Problems Josh McKenney University of North Carolina at Chapel Hill (Dated: January 6, 2016) 1 FIG. 1. Three positive charges positioned at equal distances around an

More information

Introduction to Error Analysis

Introduction to Error Analysis Introduction to Error Analysis This is a brief and incomplete discussion of error analysis. It is incomplete out of necessity; there are many books devoted entirely to the subject, and we cannot hope to

More information

Lab 8 Impulse and Momentum

Lab 8 Impulse and Momentum b Lab 8 Impulse and Momentum What You Need To Know: The Physics There are many concepts in physics that are defined purely by an equation and not by a description. In some cases, this is a source of much

More information

3: Gauss s Law July 7, 2008

3: Gauss s Law July 7, 2008 3: Gauss s Law July 7, 2008 3.1 Electric Flux In order to understand electric flux, it is helpful to take field lines very seriously. Think of them almost as real things that stream out from positive charges

More information

Solution to Proof Questions from September 1st

Solution to Proof Questions from September 1st Solution to Proof Questions from September 1st Olena Bormashenko September 4, 2011 What is a proof? A proof is an airtight logical argument that proves a certain statement in general. In a sense, it s

More information

Experiment 1: The Same or Not The Same?

Experiment 1: The Same or Not The Same? Experiment 1: The Same or Not The Same? Learning Goals After you finish this lab, you will be able to: 1. Use Logger Pro to collect data and calculate statistics (mean and standard deviation). 2. Explain

More information

LAB 5. INTRODUCTION Finite Difference Method

LAB 5. INTRODUCTION Finite Difference Method LAB 5 In previous two computer labs, you have seen how the analytical techniques for solving electrostatic problems can be approximately solved using numerical methods. For example, you have approximated

More information

HW9 Concepts. Alex Alemi November 1, 2009

HW9 Concepts. Alex Alemi November 1, 2009 HW9 Concepts Alex Alemi November 1, 2009 1 24.28 Capacitor Energy You are told to consider connecting a charged capacitor together with an uncharged one and told to compute (a) the original charge, (b)

More information

Do NOT rely on this as your only preparation for the Chem 101A final. You will almost certainly get a bad grade if this is all you look at.

Do NOT rely on this as your only preparation for the Chem 101A final. You will almost certainly get a bad grade if this is all you look at. Do NOT rely on this as your only preparation for the Chem 101A final. You will almost certainly get a bad grade if this is all you look at. This is an INCOMPLETE list of hints and topics for the Chem 101

More information

Additional Teacher Background Chapter 4 Lesson 3, p. 295

Additional Teacher Background Chapter 4 Lesson 3, p. 295 Additional Teacher Background Chapter 4 Lesson 3, p. 295 What determines the shape of the standard periodic table? One common question about the periodic table is why it has its distinctive shape. There

More information

The Physics of Boomerangs By Darren Tan

The Physics of Boomerangs By Darren Tan The Physics of Boomerangs By Darren Tan Segment 1 Hi! I m the Science Samurai and glad to have you here with me today. I m going to show you today how to make your own boomerang, how to throw it and even

More information

Guide to Proofs on Sets

Guide to Proofs on Sets CS103 Winter 2019 Guide to Proofs on Sets Cynthia Lee Keith Schwarz I would argue that if you have a single guiding principle for how to mathematically reason about sets, it would be this one: All sets

More information

MITOCW ocw lec8

MITOCW ocw lec8 MITOCW ocw-5.112-lec8 The following content is provided by MIT OpenCourseWare under a Creative Commons license. Additional information about our license and MIT OpenCourseWare in general is available at

More information

Moving Bodies---The Marble Luge Run

Moving Bodies---The Marble Luge Run Moving Bodies---The Marble Luge Run 1. Cut a "doorway" in an inverted cup (done for you ). Position the cup so it will catch a ball as it rolls off the ruler. 2. Measure, in cm, how far the wood ball pushes

More information

Computational Chemistry Lab Module: Conformational Analysis of Alkanes

Computational Chemistry Lab Module: Conformational Analysis of Alkanes Introduction Computational Chemistry Lab Module: Conformational Analysis of Alkanes In this experiment, we will use CAChe software package to model the conformations of butane, 2-methylbutane, and substituted

More information

University of Utah Electrical & Computer Engineering Department ECE 3510 Lab 9 Inverted Pendulum

University of Utah Electrical & Computer Engineering Department ECE 3510 Lab 9 Inverted Pendulum University of Utah Electrical & Computer Engineering Department ECE 3510 Lab 9 Inverted Pendulum p1 ECE 3510 Lab 9, Inverted Pendulum M. Bodson, A. Stolp, 4/2/13 rev, 4/9/13 Objectives The objective of

More information

Name Date Time to Complete. NOTE: The multimeter s 10 AMP range, instead of the 300 ma range, should be used for all current measurements.

Name Date Time to Complete. NOTE: The multimeter s 10 AMP range, instead of the 300 ma range, should be used for all current measurements. Name Date Time to Complete h m Partner Course/ Section / Grade Complex Circuits In this laboratory you will continue your exploration of dc electric circuits with a steady current. The circuits will be

More information

Section 20: Arrow Diagrams on the Integers

Section 20: Arrow Diagrams on the Integers Section 0: Arrow Diagrams on the Integers Most of the material we have discussed so far concerns the idea and representations of functions. A function is a relationship between a set of inputs (the leave

More information

The Revolution of the Moons of Jupiter

The Revolution of the Moons of Jupiter The Revolution of the Moons of Jupiter Overview: During this lab session you will make use of a CLEA (Contemporary Laboratory Experiences in Astronomy) computer program generously developed and supplied

More information

PHY 111L Activity 2 Introduction to Kinematics

PHY 111L Activity 2 Introduction to Kinematics PHY 111L Activity 2 Introduction to Kinematics Name: Section: ID #: Date: Lab Partners: TA initials: Objectives 1. Introduce the relationship between position, velocity, and acceleration 2. Investigate

More information

Figure 1: Doing work on a block by pushing it across the floor.

Figure 1: Doing work on a block by pushing it across the floor. Work Let s imagine I have a block which I m pushing across the floor, shown in Figure 1. If I m moving the block at constant velocity, then I know that I have to apply a force to compensate the effects

More information

cm 2 /second and the height is 10 cm? Please use

cm 2 /second and the height is 10 cm? Please use Hillary Lehman Writing Assignment Calculus 151 Summer In calculus, there are many different types of problems that may be difficult for students to comprehend. One type of problem that may be difficult,

More information

MAG Magnetic Fields revised May 27, 2017

MAG Magnetic Fields revised May 27, 2017 MAG Magnetic Fields revised May 7, 017 (You will do two experiments; this one (in Rock 40) and the Magnetic Induction experiment (in Rock 403). Sections will switch rooms and experiments half-way through

More information

General Physics Lab 1 Siena College

General Physics Lab 1 Siena College General Physics Lab 1 Siena College In 1686, Newton published the first quantitative description of the gravitational force between any two objects. He explained that the force of gravity is directly proportional

More information

PHYSICS LAB: CONSTANT MOTION

PHYSICS LAB: CONSTANT MOTION PHYSICS LAB: CONSTANT MOTION Introduction Experimentation is fundamental to physics (and all science, for that matter) because it allows us to prove or disprove our hypotheses about how the physical world

More information

Hypothesis testing I. - In particular, we are talking about statistical hypotheses. [get everyone s finger length!] n =

Hypothesis testing I. - In particular, we are talking about statistical hypotheses. [get everyone s finger length!] n = Hypothesis testing I I. What is hypothesis testing? [Note we re temporarily bouncing around in the book a lot! Things will settle down again in a week or so] - Exactly what it says. We develop a hypothesis,

More information

4.3 Rational Inequalities and Applications

4.3 Rational Inequalities and Applications 342 Rational Functions 4.3 Rational Inequalities and Applications In this section, we solve equations and inequalities involving rational functions and eplore associated application problems. Our first

More information

Lesson 21 Not So Dramatic Quadratics

Lesson 21 Not So Dramatic Quadratics STUDENT MANUAL ALGEBRA II / LESSON 21 Lesson 21 Not So Dramatic Quadratics Quadratic equations are probably one of the most popular types of equations that you ll see in algebra. A quadratic equation has

More information

Your Second Physics Simulation: A Mass on a Spring

Your Second Physics Simulation: A Mass on a Spring Your Second Physics Simulation: A Mass on a Spring I. INTRODUCTION At this point I think everybody has a working bouncing ball program. In these programs the ball moves under the influence of a very simple

More information

CALCULATING MAGNETIC FIELDS & THE BIOT-SAVART LAW. Purdue University Physics 241 Lecture 15 Brendan Sullivan

CALCULATING MAGNETIC FIELDS & THE BIOT-SAVART LAW. Purdue University Physics 241 Lecture 15 Brendan Sullivan CALCULATING MAGNETIC FIELDS & THE BIOT-SAVAT LAW Purdue University Physics 41 Lecture 15 Brendan Sullivan Introduction Brendan Sullivan, PHYS89, sullivb@purdue.edu Office Hours: By Appointment Just stop

More information

Getting Started with Communications Engineering

Getting Started with Communications Engineering 1 Linear algebra is the algebra of linear equations: the term linear being used in the same sense as in linear functions, such as: which is the equation of a straight line. y ax c (0.1) Of course, if we

More information