ME 320L/354L Laboratory 3

Size: px
Start display at page:

Download "ME 320L/354L Laboratory 3"

Transcription

1 ME 320L/354L Laboratory 3 Verification of numerical solution for transient conduction Introduction As we did last time around, we put on Fourier s hat, and his shoes for good measure, and pretend that we are verifying a new theory that we developed for transient conduction. To this end, we again use grandpa Hilton s apparatus (the same that was used for Laboratory Experiment 1), together with some other devices for automated data acquisition (two LeCroy digital scopes and the Hilton data acquisition module). The idea is that we can use a detailed temperature history collected at two boundary surfaces (T 1 and T 8 ), and known initial conditions, to calculate the temperature at any point in between, at any time. The calculation is essentially the solution of the heat equation by a finite difference technique. to verify the model, we also collect temperatures (T 2, T 3, T 6, T 7 ) at interior locations at various times, so that we can compare these with the results of our calculations. T1 T2 T3 T6 T7 T8 T T t t Theory The new model that we are proposing is that, in the case of a 1-D problem (such as temperature variation in a wall which is thin compared to its dimensions, or a rod insulated everywhere except for its ends), the temperature T (x, t) evolves with time according to the differential equation: dt dx = T α 2 x 2, (1) where α = k/(ρc). Since we are accomplished mathematicians, we know that in order to solve this problem we need an initial condition and a set of two boundary conditions, one for each end. These are, respectively, T (x, 0) = T i (x), (2) T (0, t) = T 1 (t), (3) T (L, t) = T 8 (t). (4) Before going ahead with our solution, we make our life easier (at least we like to think so) by nondimensionalizing the position, time and temperature as: ˆx = x L, (5) ˆt = αt L 2, (6) θ = T T A T B T A, (7) where L is some characteristic dimension of our wall or rod and T A and T B are some convenient reference temperatures (we will see later what works for this particular case). By doing this, we can re write the heat equation as: dθ dˆt = 2 θ ˆx 2. (8)

2 The boundary conditions are simply θ(0, ˆt) = θ 1 (ˆt), (9) θ(1, ˆt) = θ 8 (ˆt). (10) We propose to solve this using a finite difference (FD) algorithm. We represent the continuous temperature profile in the domain ˆx [0, 1] at time t p by a discrete set of temperatures (θ p 0, θp 1,..., θp n) evaluated at (n + 1) evenly spaced locations (x 0, x 1,..., x n ), as shown below: p p θ i-1 θ i p θ i+1 θ i p+1 x i-1 x i x i+1 At each location x i, we would like to find the value of the temperature at the next timestep t p+1, namely. Using a first order Taylor expansion, we can estimate this by: θ p+1 i θ p+1 i θ p i + dθ dˆt ˆt 2 θ ˆx 2 ˆt. (11) x=xi The second derivative of temperature with respect to position can be obtained using the following: 2 θ ˆx 2 θ i 1 2θ i + θ i+1 x=xi ˆx 2 (12) In summary, the FD algorithm consists of the following steps: 1. Obtain values of 2 θ/ ˆx 2 at each node location x i, using Eq. 12; 2. Update temperature profile using Eq. 11; 3. Increment current time ˆt; 4. If ˆt < ˆt max go to step 1 for new iteration; 5. Output results and stop program. The listing of a FORTRAN90 code that performs the above steps is given below: program fdexp simple 1-D finite difference code to treat conduction with specified temperature conditions at ends - explicit version implicit none real,dimension(:),allocatable :: x,theta,d2th_dx2,tout, > t1,t2,th1,th2 real bi,fo,dt,dx2,now

3 real left,right integer n,nsteps,i,j,k,npts character*24 t1fl,t2fl write(6,*) enter Fo read(5,*) fo note: logical units 5 and 6 are the standard input and output devices (keyboard and monitor) in FORTRAN write(6,*) enter number of steps read(5,*) nsteps write(6,*) enter temperature history file for T1 read(5,*) t1fl write(6,*) enter temperature history file for T8 read(5,*) t2fl open(11,file=t1fl,form= formatted ) open(12,file=t2fl,form= formatted ) read(11,*) npts read(12,*) npts allocate(t1(npts)) allocate(t2(npts)) allocate(th1(npts)) allocate(th2(npts)) do i=1,npts read(11,*) t1(i),th1(i) read(12,*) t2(i),th2(i) close(11) close(12) allocate(x(60)) subdivide domain into 59 pieces ( = 60 nodes ) do i=1,60 x(i)=(i-1)/60. allocate(theta(60)) same number of temperature values theta(1:30)=1.0 set initial conditions for left half-bar theta(1:30)=0.0 set initial conditions for right half-bar dt=fo/nsteps set times for output and open output file open(unit=11,form= formatted,file= fd.txt ) allocate(tout(51)) write(6,*) output at: do k=1,51 tout(k)=fo*exp((2*k-102)/10.) tout(k)=fo/50*(k-1) write(6,*) k,tout(k) dx2=(1/60.)**2 allocate(d2th_dx2(60)) k=1 write(6,*) beginning time loop... do n=1,nsteps now=(n-1)*dt left temperature

4 theta(1)=left(now,t1,th1) right temperature theta(60)=right(now,t2,th2) treat interior nodes do i=2,59 d2th_dx2(i)=(theta(i+1)-2*theta(i)+theta(i-1))/dx2 update temperatures theta(2:59)=theta(2:59)+d2th_dx2(2:59)*dt if (abs(now-tout(k)) <= dt) then write(6,*) output at,n*dt do j=1,60 write(11,10) n*dt,x(j),theta(j) write(11,*) k=k+1 end if close(11) output results write(6,*) temperature profile at Fo=,nsteps*dt do i=1,60 write(6,*) x(i),theta(i) 10 format(3e13.5e2) end real function left(now,t,th) this function generates a temperature history for the left side implicit none integer i real now real,dimension(1) :: t,th i=1 do while(.not.((now >= t(i)).and.(now < t(i+1)))) i=i+1 left=(th(i+1)-th(i))*(now-t(i))/(t(i+1)-t(i))+th(i) return end real function right(now,t,th) this function generates a temperature history for the right side implicit none

5 integer i real now real,dimension(1) :: t,th i=1 do while(.not.((now >= t(i)).and.(now < t(i+1)))) i=i+1 right=(th(i+1)-th(i))*(now-t(i))/(t(i+1)-t(i))+th(i) return end This code can be paraphrased in your favorite programming language, for example C, C++, Pascal, BASIC, or even Matlab or Mathematica. Lab procedure You will be collecting transient data, so it is very important to know exactly what to do before starting the experiment, otherwise you may need to spend much time waiting for the apparatus to return to the desired initial conditions before you can restart the experiment. If all goes well, the entire acquisition process should take 90 minutes or so (or F o = 17.5 if you are a brass rod m long). The following steps are suggested: 1. Set up the linear heat transfer apparatus by ensuring that thermocouples 1, 2, 3, 6, 7, 8 are connected to the control unit and to the oscilloscopes (1, 2, 3 on scope A, 6, 7, 8 on scope B). Set the water temperature on the recirculating bath to 5 C above zero. Also ensure that the mating ends of the brass rod are coated with an adequate amount of conductive paste. 2. Set up the control unit: With the two halves of the bar separated, adjust the voltage of the heater to 12V. This will begin heating up the half bar corresponding to temperatures 1, 2, and 3. When the temperature has reached about 100 C (this will take some time) turn the voltage down to 8V. 3. The data acquisition module will be used for gathering long-term transient temperature profiles. Its operation is quite simple: ensure that the computer is turned on. Then, turn on the acquisition module (the stainless steel clad box, HC110A) and the control module, H110. From the Programs menu on the PC, start the HC110 program. A screen will appear which allows you to choose the experiment you want to conduct:

6 Select HT110A - linear heat conduction ; you will then be asked to select from a range of experiments possible with the linear heat conduction unit. For the purpose of this lab, the most useful experiment is option 1, Temperature distribution through uniform plant wall ; You will be asked to enter a name for the data file, with a choice of four characters. You might want to use the date, say 1012, as the file name. Characters will be attached to the four you choose, so that

7 the full file name will become A.2. You will want to record the transients as they happen, so choose the option record data at set interval in the next menu; click on the go button, and you will see a screen that describes the physical layout of the experiment. Press tha Start button, and data acquisition will begin. After a short interval, you should see temperature data appear next to the experiment diagram: By clicking on the Graph and Table tabs, you will obtain screens with a plot of the temperature profile along the brass rod, and in tabular form, respectively. You will notice that three of the temperatures are uniformly hot, while the others are uniformly cool.

8 The Hilton acquisition unit is a bit slow to record data during the very initial stages of the process. For this reason we use the scopes to obtain transient data for the initial few minutes, where much of the

9 interesting stuff happens. The thermocouples for the hot half of the brass rod are plugged into scope A, while those for the cool half are plugged into B. Trace 4 in the scopes is used to synchronize the two traces. Now for the action bit: read this before beginning the experiment. Press the Start button on both scopes in case acquisition is not already under way. Wait for acquisition to slowly start. Put in a synchronizing signal on trace 4 by extracting and inserting the banana plug labeled as sync. At the same time, someone should read the time on the Hilton acquisition screen and note it down. Now take the two half rods and put them together with deliberate action, then secure them using the clips. Monitor the scope signal, and stop acquisition when the synchronizing trace is about to exit the screen. Continue to acquire data with the Hilton module until steady state is reached. Finally, after ending the data acquisition and quitting the HC110 program, copy the data files from the scopes and the computer to some floppy disks for later analysis. Analysis The test section is made of brass. Its thermal properties are: k = 121 Wm 1 K 1, ρ = 8450 kg m 3, c = 400 J kg 1 K 1. First, you must put your time histories for T1 and T8 in a spreadsheet. Then proceed to nondimensionalize the time and temperature signal using Eqns. 6 and 7. Non-dimensionalize the temperature using the initial temperature at T8 and the initial temperature at T1. Save the results as tab delimited text with the number of data points as the header. Also make sure that the time signals from the scopes are synchronized (you may need to shift the time by some amount from one of the two traces). Using variations of the code provided (note: this can be downloaded from: stuff/lab/lab.html), or a similar finite difference code if you like, calculate the temperatures at the same times and locations where measurements were taken, and compare them with the measurements. For each time data were taken, plot model results vs. measured results. Comment on accuracy (or otherwise) of the calculation, including possible reasons for deviation

Experiment B6 Thermal Properties of Materials Procedure

Experiment B6 Thermal Properties of Materials Procedure Experiment B6 Thermal Properties of Materials Procedure Deliverables: Checked lab notebook, Brief technical memo Overview In this lab, you will examine the thermal properties of various materials commonly

More information

Safety: BE SURE TO KEEP YOUR SMART CART UPSIDE-DOWN WHEN YOU RE NOT ACTIVELY USING IT TO RECORD DATA.

Safety: BE SURE TO KEEP YOUR SMART CART UPSIDE-DOWN WHEN YOU RE NOT ACTIVELY USING IT TO RECORD DATA. Why do people always ignore Objective: 1. Determine how an object s mass affects the friction it experiences. 2. Compare the coefficient of static friction to the coefficient of kinetic friction for each

More information

LAB 1: MATLAB - Introduction to Programming. Objective:

LAB 1: MATLAB - Introduction to Programming. Objective: LAB 1: MATLAB - Introduction to Programming Objective: The objective of this laboratory is to review how to use MATLAB as a programming tool and to review a classic analytical solution to a steady-state

More information

PHYS320 ilab (O) Experiment 2 Instructions Conservation of Energy: The Electrical Equivalent of Heat

PHYS320 ilab (O) Experiment 2 Instructions Conservation of Energy: The Electrical Equivalent of Heat PHYS320 ilab (O) Experiment 2 Instructions Conservation of Energy: The Electrical Equivalent of Heat Objective: The purpose of this activity is to determine whether the energy dissipated by a heating resistor

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

Inverted Pendulum System

Inverted Pendulum System Introduction Inverted Pendulum System This lab experiment consists of two experimental procedures, each with sub parts. Experiment 1 is used to determine the system parameters needed to implement a controller.

More information

Experiment 14 It s Snow Big Deal

Experiment 14 It s Snow Big Deal Experiment 14 It s Snow Big Deal OUTCOMES After completing this experiment, the student should be able to: use computer-based data acquisition techniques to measure temperatures. draw appropriate conclusions

More information

Experiment 1. Measurement of Thermal Conductivity of a Metal (Brass) Bar

Experiment 1. Measurement of Thermal Conductivity of a Metal (Brass) Bar Experiment 1 Measurement of Thermal Conductivity of a Metal (Brass) Bar Introduction: Thermal conductivity is a measure of the ability of a substance to conduct heat, determined by the rate of heat flow

More information

Simple Harmonic Motion - MBL

Simple Harmonic Motion - MBL Simple Harmonic Motion - MBL In this experiment you will use a pendulum to investigate different aspects of simple harmonic motion. You will first examine qualitatively the period of a pendulum, as well

More information

Laboratory handouts, ME 340

Laboratory handouts, ME 340 Laboratory handouts, ME 340 This document contains summary theory, solved exercises, prelab assignments, lab instructions, and report assignments for Lab 4. 2014-2016 Harry Dankowicz, unless otherwise

More information

Circular Motion and Centripetal Force

Circular Motion and Centripetal Force [For International Campus Lab ONLY] Objective Measure the centripetal force with the radius, mass, and speed of a particle in uniform circular motion. Theory ----------------------------- Reference --------------------------

More information

Rotational Motion. Figure 1: Torsional harmonic oscillator. The locations of the rotor and fiber are indicated.

Rotational Motion. Figure 1: Torsional harmonic oscillator. The locations of the rotor and fiber are indicated. Rotational Motion 1 Purpose The main purpose of this laboratory is to familiarize you with the use of the Torsional Harmonic Oscillator (THO) that will be the subject of the final lab of the course on

More information

Lab 1a Wind Tunnel Testing Principles & Drag Coefficients of Golf balls

Lab 1a Wind Tunnel Testing Principles & Drag Coefficients of Golf balls Lab 1a Wind Tunnel Testing Principles & Drag Coefficients of Golf balls OBJECTIVES - To perform air flow measurement using the wind tunnel. - To compare measured and theoretical velocities for various

More information

Faraday's Law Warm Up

Faraday's Law Warm Up Faraday's Law-1 Faraday's Law War Up 1. Field lines of a peranent agnet For each peranent agnet in the diagra below draw several agnetic field lines (or a agnetic vector field if you prefer) corresponding

More information

ES205 Analysis and Design of Engineering Systems: Lab 1: An Introductory Tutorial: Getting Started with SIMULINK

ES205 Analysis and Design of Engineering Systems: Lab 1: An Introductory Tutorial: Getting Started with SIMULINK ES205 Analysis and Design of Engineering Systems: Lab 1: An Introductory Tutorial: Getting Started with SIMULINK What is SIMULINK? SIMULINK is a software package for modeling, simulating, and analyzing

More information

Temperature Measurement and First-Order Dynamic Response *

Temperature Measurement and First-Order Dynamic Response * OpenStax-CNX module: m13774 1 Temperature Measurement and First-Order Dynamic Response * Luke Graham This work is produced by OpenStax-CNX and licensed under the Creative Commons Attribution License 2.0

More information

Computer simulation of radioactive decay

Computer simulation of radioactive decay Computer simulation of radioactive decay y now you should have worked your way through the introduction to Maple, as well as the introduction to data analysis using Excel Now we will explore radioactive

More information

Lab 1 Uniform Motion - Graphing and Analyzing Motion

Lab 1 Uniform Motion - Graphing and Analyzing Motion Lab 1 Uniform Motion - Graphing and Analyzing Motion Objectives: < To observe the distance-time relation for motion at constant velocity. < To make a straight line fit to the distance-time data. < To interpret

More information

Purpose: Materials: WARNING! Section: Partner 2: Partner 1:

Purpose: Materials: WARNING! Section: Partner 2: Partner 1: Partner 1: Partner 2: Section: PLEASE NOTE: You will need this particular lab report later in the semester again for the homework of the Rolling Motion Experiment. When you get back this graded report,

More information

Possible Prelab Questions.

Possible Prelab Questions. Possible Prelab Questions. Read Lab 2. Study the Analysis section to make sure you have a firm grasp of what is required for this lab. 1) A car is travelling with constant acceleration along a straight

More information

The Coupled Pendulum Experiment

The Coupled Pendulum Experiment The Coupled Pendulum Experiment In this lab you will briefly study the motion of a simple pendulum, after which you will couple two pendulums and study the properties of this system. 1. Introduction to

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

Laboratory handout 5 Mode shapes and resonance

Laboratory handout 5 Mode shapes and resonance laboratory handouts, me 34 82 Laboratory handout 5 Mode shapes and resonance In this handout, material and assignments marked as optional can be skipped when preparing for the lab, but may provide a useful

More information

Remember that C is a constant and ë and n are variables. This equation now fits the template of a straight line:

Remember that C is a constant and ë and n are variables. This equation now fits the template of a straight line: CONVERTING NON-LINEAR GRAPHS INTO LINEAR GRAPHS Linear graphs have several important attributes. First, it is easy to recognize a graph that is linear. It is much more difficult to identify if a curved

More information

Ideal Gas Law and Absolute Zero

Ideal Gas Law and Absolute Zero Experiment IX Ideal Gas Law and Absolute Zero I. Purpose The purpose of this lab is to examine the relationship between the pressure, volume and temperature of air in a closed chamber. To do this, you

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

O P E R A T I N G M A N U A L

O P E R A T I N G M A N U A L OPERATING MANUAL WeatherJack OPERATING MANUAL 1-800-645-1061 The baud rate is 2400 ( 8 bits, 1 stop bit, no parity. Flow control = none) To make sure the unit is on line, send an X. the machine will respond

More information

DIFFUSION PURPOSE THEORY

DIFFUSION PURPOSE THEORY DIFFUSION PURPOSE The objective of this experiment is to study by numerical simulation and experiment the process of diffusion, and verify the expected relationship between time and diffusion width. THEORY

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

PHY222 - Lab 7 RC Circuits: Charge Changing in Time Observing the way capacitors in RC circuits charge and discharge.

PHY222 - Lab 7 RC Circuits: Charge Changing in Time Observing the way capacitors in RC circuits charge and discharge. PHY222 Lab 7 RC Circuits: Charge Changing in Time Observing the way capacitors in RC circuits charge and discharge. Print Your Name Print Your Partners' Names You will return this handout to the instructor

More information

EGR 111 Heat Transfer

EGR 111 Heat Transfer EGR 111 Heat Transfer The purpose of this lab is to use MATLAB to determine the heat transfer in a 1-dimensional system. New MATLAB commands: (none) 1. Heat Transfer 101 Heat Transfer is thermal energy

More information

Figure 2.1 The Inclined Plane

Figure 2.1 The Inclined Plane PHYS-101 LAB-02 One and Two Dimensional Motion 1. Objectives The objectives of this experiment are: to measure the acceleration due to gravity using one-dimensional motion, i.e. the motion of an object

More information

Downloading GPS Waypoints

Downloading GPS Waypoints Downloading Data with DNR- GPS & Importing to ArcMap and Google Earth Written by Patrick Florance & Carolyn Talmadge, updated on 4/10/17 DOWNLOADING GPS WAYPOINTS... 1 VIEWING YOUR POINTS IN GOOGLE EARTH...

More information

HB Coupled Pendulums Lab Coupled Pendulums

HB Coupled Pendulums Lab Coupled Pendulums HB 04-19-00 Coupled Pendulums Lab 1 1 Coupled Pendulums Equipment Rotary Motion sensors mounted on a horizontal rod, vertical rods to hold horizontal rod, bench clamps to hold the vertical rods, rod clamps

More information

BASIC TECHNOLOGY Pre K starts and shuts down computer, monitor, and printer E E D D P P P P P P P P P P

BASIC TECHNOLOGY Pre K starts and shuts down computer, monitor, and printer E E D D P P P P P P P P P P BASIC TECHNOLOGY Pre K 1 2 3 4 5 6 7 8 9 10 11 12 starts and shuts down computer, monitor, and printer P P P P P P practices responsible use and care of technology devices P P P P P P opens and quits an

More information

Hess' Law: Calorimetry

Hess' Law: Calorimetry Exercise 9 Page 1 Illinois Central College CHEMISTRY 130 Name: Hess' Law: Calorimetry Objectives The objectives of this experiment are to... - measure the heats of reaction for two chemical reactions.

More information

AP Physics 1 Summer Assignment Packet

AP Physics 1 Summer Assignment Packet AP Physics 1 Summer Assignment Packet 2017-18 Welcome to AP Physics 1 at David Posnack Jewish Day School. The concepts of physics are the most fundamental found in the sciences. By the end of the year,

More information

REPLACE DAMAGED OR MISSING TEXTBOOK BARCODE LABEL

REPLACE DAMAGED OR MISSING TEXTBOOK BARCODE LABEL Destiny Textbook Manager allows users to create and print replacement barcode labels for textbooks. In this tutorial you will learn how to: Replace damaged textbook barcode label(s) Replace missing textbook

More information

System Identification of RTD Dynamics (Tom Co, 11/26/2006; 11/25/2007, 11/15/2009)

System Identification of RTD Dynamics (Tom Co, 11/26/2006; 11/25/2007, 11/15/2009) System Identification of RTD Dynamics (Tom Co, 11/26/26; 11/25/27, 11/15/29) Laboratory Objective: To obtain a mathematical model of RTD dynamics General procedures for mathematical modeling of dynamic

More information

Lab 9 - Rotational Dynamics

Lab 9 - Rotational Dynamics 145 Name Date Partners Lab 9 - Rotational Dynamics OBJECTIVES To study angular motion including angular velocity and angular acceleration. To relate rotational inertia to angular motion. To determine kinetic

More information

Electric Potential. Electric field from plane of charge (Serway Example 24.5)

Electric Potential. Electric field from plane of charge (Serway Example 24.5) Physics Topics Electric Potential If necessary, review the following topics and relevant textbook sections from Serway / Jewett Physics for Scientists and Engineers, 9th Ed. Electric field from plane of

More information

WindNinja Tutorial 3: Point Initialization

WindNinja Tutorial 3: Point Initialization WindNinja Tutorial 3: Point Initialization 6/27/2018 Introduction Welcome to WindNinja Tutorial 3: Point Initialization. This tutorial will step you through the process of downloading weather station data

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

Simple Harmonic Motion

Simple Harmonic Motion Introduction Simple Harmonic Motion The simple harmonic oscillator (a mass oscillating on a spring) is the most important system in physics. There are several reasons behind this remarkable claim: Any

More information

Pin Fin Lab Report Example. Names. ME331 Lab

Pin Fin Lab Report Example. Names. ME331 Lab Pin Fin Lab Report Example Names ME331 Lab 04/12/2017 1. Abstract The purposes of this experiment are to determine pin fin effectiveness and convective heat transfer coefficients for free and forced convection

More information

Investigation #2 TEMPERATURE VS. HEAT. Part I

Investigation #2 TEMPERATURE VS. HEAT. Part I Name: Investigation #2 Partner(s): TEMPERATURE VS. HEAT These investigations are designed to help you distinguish between two commonly confused concepts in introductory physics. These two concepts, temperature

More information

Lab 11 Simple Harmonic Motion A study of the kind of motion that results from the force applied to an object by a spring

Lab 11 Simple Harmonic Motion A study of the kind of motion that results from the force applied to an object by a spring Lab 11 Simple Harmonic Motion A study of the kind of motion that results from the force applied to an object by a spring Print Your Name Print Your Partners' Names Instructions April 20, 2016 Before lab,

More information

Lab 3: The Coupled Pendulum and a bit on the Chaotic Double Pendulum

Lab 3: The Coupled Pendulum and a bit on the Chaotic Double Pendulum Phys 15c: Lab 3, Fall 006 1 Lab 3: The Coupled Pendulum and a bit on the Chaotic Double Pendulum Due Friday, March, 007, before 1 Noon in front of SC 301 REV0: February 1, 007 1 Introduction This lab looks

More information

Experiment 5. Simple Harmonic Motion

Experiment 5. Simple Harmonic Motion Reading and Problems: Chapters 7,8 Problems 7., 8. Experiment 5 Simple Harmonic Motion Goals. To understand the properties of an oscillating system governed by Hooke s Law.. To study the effects of friction

More information

PHY 123 Lab 6 - Angular Momentum

PHY 123 Lab 6 - Angular Momentum 1 PHY 123 Lab 6 - Angular Momentum (updated 10/17/13) The purpose of this lab is to study torque, moment of inertia, angular acceleration and the conservation of angular momentum. If you need the.pdf version

More information

Electric Potential. Electric field from plane of charge (Serway Example 24.5)

Electric Potential. Electric field from plane of charge (Serway Example 24.5) Physics Topics Electric Potential If necessary, review the following topics and relevant textbook sections from Serway / Jewett Physics for Scientists and Engineers, 9th Ed. Electric field from plane of

More information

ME 105 Mechanical Engineering Laboratory Spring Quarter INTRODUCTION TO TRANSIENT CONDUCTION AND CONVECTION

ME 105 Mechanical Engineering Laboratory Spring Quarter INTRODUCTION TO TRANSIENT CONDUCTION AND CONVECTION ME 105 Mechanical Engineering Lab Page 1 ME 105 Mechanical Engineering Laboratory Spring Quarter 2003 2. INTRODUCTION TO TRANSIENT CONDUCTION AND CONVECTION This set of experiments is designed to provide

More information

Introduction to Heat and Mass Transfer. Week 7

Introduction to Heat and Mass Transfer. Week 7 Introduction to Heat and Mass Transfer Week 7 Example Solution Technique Using either finite difference method or finite volume method, we end up with a set of simultaneous algebraic equations in terms

More information

Lab I. 2D Motion. 1 Introduction. 2 Theory. 2.1 scalars and vectors LAB I. 2D MOTION 15

Lab I. 2D Motion. 1 Introduction. 2 Theory. 2.1 scalars and vectors LAB I. 2D MOTION 15 LAB I. 2D MOTION 15 Lab I 2D Motion 1 Introduction In this lab we will examine simple two-dimensional motion without acceleration. Motion in two dimensions can often be broken up into two separate one-dimensional

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

August 7, 2007 NUMERICAL SOLUTION OF LAPLACE'S EQUATION

August 7, 2007 NUMERICAL SOLUTION OF LAPLACE'S EQUATION August 7, 007 NUMERICAL SOLUTION OF LAPLACE'S EQUATION PURPOSE: This experiment illustrates the numerical solution of Laplace's Equation using a relaxation method. The results of the relaxation method

More information

Solving Differential Equations on 2-D Geometries with Matlab

Solving Differential Equations on 2-D Geometries with Matlab Solving Differential Equations on 2-D Geometries with Matlab Joshua Wall Drexel University Philadelphia, PA 19104 (Dated: April 28, 2014) I. INTRODUCTION Here we introduce the reader to solving partial

More information

LAB 8: ROTATIONAL DYNAMICS

LAB 8: ROTATIONAL DYNAMICS Name Date Partners LAB 8: ROTATIONAL DYNAMICS 133 Examples of rotation abound throughout our surroundings OBJECTIVES To study angular motion including angular velocity and angular acceleration. To relate

More information

Acid-Base ph Titration Introduction

Acid-Base ph Titration Introduction Electronic Supplementary Material (ESI) for Chemistry Education Research and Practice. This journal is The Royal Society of Chemistry 2016 Appendix B: Example of Traditional Investigation Acid-Base ph

More information

Lab I. 2D Motion. 1 Introduction. 2 Theory. 2.1 scalars and vectors LAB I. 2D MOTION 15

Lab I. 2D Motion. 1 Introduction. 2 Theory. 2.1 scalars and vectors LAB I. 2D MOTION 15 LAB I. 2D MOTION 15 Lab I 2D Motion 1 Introduction In this lab we will examine simple two-dimensional motion without acceleration. Motion in two dimensions can often be broken up into two separate one-dimensional

More information

Equation of state of ideal gases Students worksheet

Equation of state of ideal gases Students worksheet 3.2.1 Tasks For a constant amount of gas (in our case air) investigate the correlation between 1. Volume and pressure at constant temperature (Boyle-Marriotte s law) 2. Temperature and volume at constant

More information

3 Lab 3: DC Motor Transfer Function Estimation by Explicit Measurement

3 Lab 3: DC Motor Transfer Function Estimation by Explicit Measurement 3 Lab 3: DC Motor Transfer Function Estimation by Explicit Measurement 3.1 Introduction There are two common methods for determining a plant s transfer function. They are: 1. Measure all the physical parameters

More information

Updated 2013 (Mathematica Version) M1.1. Lab M1: The Simple Pendulum

Updated 2013 (Mathematica Version) M1.1. Lab M1: The Simple Pendulum Updated 2013 (Mathematica Version) M1.1 Introduction. Lab M1: The Simple Pendulum The simple pendulum is a favorite introductory exercise because Galileo's experiments on pendulums in the early 1600s are

More information

Static and Kinetic Friction

Static and Kinetic Friction Ryerson University - PCS 120 Introduction Static and Kinetic Friction In this lab we study the effect of friction on objects. We often refer to it as a frictional force yet it doesn t exactly behave as

More information

Transient Heat Conduction in a Circular Cylinder

Transient Heat Conduction in a Circular Cylinder Transient Heat Conduction in a Circular Cylinder The purely radial 2-D heat equation will be solved in cylindrical coordinates using variation of parameters. Assuming radial symmetry the solution is represented

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

Double Inverted Pendulum (DBIP)

Double Inverted Pendulum (DBIP) Linear Motion Servo Plant: IP01_2 Linear Experiment #15: LQR Control Double Inverted Pendulum (DBIP) All of Quanser s systems have an inherent open architecture design. It should be noted that the following

More information

dq = λa T Direction of heat flow dq = λa T h T c

dq = λa T Direction of heat flow dq = λa T h T c THERMAL PHYSIS LABORATORY: INVESTIGATION OF NEWTON S LAW OF OOLING Along a well-insulated bar (i.e., heat loss from the sides can be neglected), it is experimentally observed that the rate of heat flow

More information

TI 226H Calibration of Flow Check Devices using Positive Displacement Flow Meter

TI 226H Calibration of Flow Check Devices using Positive Displacement Flow Meter Page 1 of 9 TI 226H Calibration of Flow Check Devices using Positive Displacement Flow Meter TABLE OF CONTENTS 1. PURPOSE AND APPLICABILITY... 2 2. RESPONSIBILITIES... 2 2.1. Field Specialist... 2 2.2.

More information

M61 1 M61.1 PC COMPUTER ASSISTED DETERMINATION OF ANGULAR ACCELERATION USING TORQUE AND MOMENT OF INERTIA

M61 1 M61.1 PC COMPUTER ASSISTED DETERMINATION OF ANGULAR ACCELERATION USING TORQUE AND MOMENT OF INERTIA M61 1 M61.1 PC COMPUTER ASSISTED DETERMINATION OF ANGULAR ACCELERATION USING TORQUE AND MOMENT OF INERTIA PRELAB: Before coming to the lab, you must write the Object and Theory sections of your lab report

More information

Force vs time. IMPULSE AND MOMENTUM Pre Lab Exercise: Turn in with your lab report

Force vs time. IMPULSE AND MOMENTUM Pre Lab Exercise: Turn in with your lab report IMPULSE AND MOMENTUM Pre Lab Exercise: Turn in with your lab report Newton s second law may be written r r F dt = p where F is the force and p is the change in momentum. The area under the force vs. time

More information

4.1 Derivation and Boundary Conditions for Non-Nipped Interfaces

4.1 Derivation and Boundary Conditions for Non-Nipped Interfaces Chapter 4 Roller-Web Interface Finite Difference Model The end goal of this project is to allow the correct specification of a roller-heater system given a general set of customer requirements. Often the

More information

Boyle s Law and Charles Law Activity

Boyle s Law and Charles Law Activity Boyle s Law and Charles Law Activity Introduction: This simulation helps you to help you fully understand 2 Gas Laws: Boyle s Law and Charles Law. These laws are very simple to understand, but are also

More information

CHM201 General Chemistry and Laboratory I Laboratory 7 Thermochemistry and Hess s Law May 2, 2018

CHM201 General Chemistry and Laboratory I Laboratory 7 Thermochemistry and Hess s Law May 2, 2018 Purpose: CHM201 General Chemistry and Laboratory I Laboratory 7 Thermochemistry and Hess s Law May 2, 2018 In this laboratory, you will measure heat changes arising from chemical reactions. You will use

More information

Learning Goals The particle model for a complex object: use the center of mass! located at the center of mass

Learning Goals The particle model for a complex object: use the center of mass! located at the center of mass PS 12A Lab 3: Forces Names: Learning Goals After you finish this lab, you will be able to: 1. Use Logger Pro to analyze video and calculate position, velocity, and acceleration. 2. Measure the normal force

More information

Work and Energy. computer masses (200 g and 500 g) If the force is constant and parallel to the object s path, work can be calculated using

Work and Energy. computer masses (200 g and 500 g) If the force is constant and parallel to the object s path, work can be calculated using Work and Energy OBJECTIVES Use a Motion Detector and a Force Sensor to measure the position and force on a hanging mass, a spring, and a dynamics cart. Determine the work done on an object using a force

More information

Experimentally estimating a convection coefficient. 2. Demonstration and preliminary data reduction

Experimentally estimating a convection coefficient. 2. Demonstration and preliminary data reduction Thermocouple Parameter Identification ES 205 Analysis and Design of Engineering Systems 1. Summary Experimentally estimating a convection coefficient Parameter identification is the experimental determination

More information

Experiment 9. Emission Spectra. measure the emission spectrum of a source of light using the digital spectrometer.

Experiment 9. Emission Spectra. measure the emission spectrum of a source of light using the digital spectrometer. Experiment 9 Emission Spectra 9.1 Objectives By the end of this experiment, you will be able to: measure the emission spectrum of a source of light using the digital spectrometer. find the wavelength of

More information

Experiment IV. To find the velocity of waves on a string by measuring the wavelength and frequency of standing waves.

Experiment IV. To find the velocity of waves on a string by measuring the wavelength and frequency of standing waves. Experiment IV The Vibrating String I. Purpose: To find the velocity of waves on a string by measuring the wavelength and frequency of standing waves. II. References: Serway and Jewett, 6th Ed., Vol., Chap.

More information

4. Heat and Thermal Energy

4. Heat and Thermal Energy 4. Heat and Thermal Energy Introduction The purpose of this experiment is to study cooling and heating by conduction, convection, and radiation. Thermal energy is the energy of random molecular motion.

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

through any three given points if and only if these points are not collinear.

through any three given points if and only if these points are not collinear. Discover Parabola Time required 45 minutes Teaching Goals: 1. Students verify that a unique parabola with the equation y = ax + bx+ c, a 0, exists through any three given points if and only if these points

More information

AMS 27L LAB #8 Winter 2009

AMS 27L LAB #8 Winter 2009 AMS 27L LAB #8 Winter 29 Solving ODE s in Matlab Objectives:. To use Matlab s ODE Solvers 2. To practice using functions and in-line functions Matlab s ODE Suite Matlab offers a suite of ODE solvers including:

More information

Chem 1 Kinetics. Objectives. Concepts

Chem 1 Kinetics. Objectives. Concepts Chem 1 Kinetics Objectives 1. Learn some basic ideas in chemical kinetics. 2. Understand how the computer visualizations can be used to benefit the learning process. 3. Understand how the computer models

More information

Finite Element Modules for Enhancing Undergraduate Transport Courses: Application to Fuel Cell Fundamentals

Finite Element Modules for Enhancing Undergraduate Transport Courses: Application to Fuel Cell Fundamentals Finite Element Modules for Enhancing Undergraduate Transport Courses: Application to Fuel Cell Fundamentals Originally published in 007 American Society for Engineering Education Conference Proceedings

More information

RC Circuits. Equipment: Capstone with 850 interface, RLC circuit board, 2 voltage sensors (no alligator clips), 3 leads V C = 1

RC Circuits. Equipment: Capstone with 850 interface, RLC circuit board, 2 voltage sensors (no alligator clips), 3 leads V C = 1 R ircuits Equipment: apstone with 850 interface, RL circuit board, 2 voltage sensors (no alligator clips), 3 leads 1 Introduction The 3 basic linear circuits elements are the resistor, the capacitor, and

More information

PHY 123 Lab 9 Simple Harmonic Motion

PHY 123 Lab 9 Simple Harmonic Motion PHY 123 Lab 9 Simple Harmonic Motion (updated 11/17/16) The purpose of this lab is to study simple harmonic motion of a system consisting of a mass attached to a spring. You will establish the relationship

More information

Quantised Conductance

Quantised Conductance Quantised Conductance Introduction Nanoscience is an important and growing field of study. It is concerned with the science and applications of structures on a nanometre scale. Not surprisingly the confinement

More information

MAGNETITE OXIDATION EXAMPLE

MAGNETITE OXIDATION EXAMPLE HSC Chemistry 7.0 1 MAGNETITE OXIDATION EXAMPLE Pelletized magnetite (Fe 3 O 4 ) ore may be oxidized to hematite (Fe 2 O 3 ) in shaft furnace. Typical magnetite content in ore is some 95%. Oxidation is

More information

Human Arm. 1 Purpose. 2 Theory. 2.1 Equation of Motion for a Rotating Rigid Body

Human Arm. 1 Purpose. 2 Theory. 2.1 Equation of Motion for a Rotating Rigid Body Human Arm Equipment: Capstone, Human Arm Model, 45 cm rod, sensor mounting clamp, sensor mounting studs, 2 cord locks, non elastic cord, elastic cord, two blue pasport force sensors, large table clamps,

More information

Empirical Gas Laws (Parts 1 and 2) Pressure-volume and pressure-temperature relationships in gases

Empirical Gas Laws (Parts 1 and 2) Pressure-volume and pressure-temperature relationships in gases Empirical Gas Laws (Parts 1 and 2) Pressure-volume and pressure-temperature relationships in gases Some of the earliest experiments in chemistry and physics involved the study of gases. The invention of

More information

1 M62 M62.1 CONSERVATION OF ANGULAR MOMENTUM FOR AN INELASTIC COLLISION

1 M62 M62.1 CONSERVATION OF ANGULAR MOMENTUM FOR AN INELASTIC COLLISION 1 M62 M62.1 CONSERVATION OF ANGULAR MOMENTUM FOR AN INELASTIC COLLISION PRELAB: Before coming to the lab, you must write the Object and Theory sections of your lab report and include the Data Tables. You

More information

THE GEIGER-MULLER TUBE AND THE STATISTICS OF RADIOACTIVITY

THE GEIGER-MULLER TUBE AND THE STATISTICS OF RADIOACTIVITY GMstats. THE GEIGER-MULLER TUBE AN THE STATISTICS OF RAIOACTIVITY This experiment examines the Geiger-Muller counter, a device commonly used for detecting and counting ionizing radiation. Various properties

More information

Experiment 3: Radiative Lifetime Determination by Laser-Induced Fluorescence

Experiment 3: Radiative Lifetime Determination by Laser-Induced Fluorescence Physical Measurements - Core I GENERAL REFERENCES Experiment 3: Radiative Lifetime Determination by Laser-Induced Fluorescence 1. Barrow, G. M. Physical Chemistry McGraw-Hill Book Company: New York, 1988;

More information

PreLab 2 - Simple Harmonic Motion: Pendulum (adapted from PASCO- PS-2826 Manual)

PreLab 2 - Simple Harmonic Motion: Pendulum (adapted from PASCO- PS-2826 Manual) Musical Acoustics Lab, C. Bertulani, 2012 PreLab 2 - Simple Harmonic Motion: Pendulum (adapted from PASCO- PS-2826 Manual) A body is said to be in a position of stable equilibrium if, after displacement

More information

Module 2A Turning Multivariable Models into Interactive Animated Simulations

Module 2A Turning Multivariable Models into Interactive Animated Simulations Module 2A Turning Multivariable Models into Interactive Animated Simulations Using tools available in Excel, we will turn a multivariable model into an interactive animated simulation. Projectile motion,

More information

Chemical Kinetics I: The Dry Lab. Up until this point in our study of physical chemistry we have been interested in

Chemical Kinetics I: The Dry Lab. Up until this point in our study of physical chemistry we have been interested in Chemical Kinetics I: The Dry Lab Up until this point in our study of physical chemistry we have been interested in equilibrium properties; now we will begin to investigate non-equilibrium properties and

More information

2.004 Dynamics and Control II Spring 2008

2.004 Dynamics and Control II Spring 2008 MIT OpenCourseWare http://ocw.mit.edu 2.004 Dynamics and Control II Spring 2008 For information about citing these materials or our Terms of Use, visit: http://ocw.mit.edu/terms. Massachusetts Institute

More information

The Hubble Law & The Structure of the Universe

The Hubble Law & The Structure of the Universe Name: Lab Meeting Date/Time: The Hubble Law & The Structure of the Universe The Hubble Law is a relationship between two quantities the speed of and distance to a galaxy. In order to determine the Hubble

More information

Physics 4C Simple Harmonic Motion PhET Lab

Physics 4C Simple Harmonic Motion PhET Lab Physics 4C Simple Harmonic Motion PhET Lab Scott Hildreth Chabot College Goal: Explore principles of Simple Harmonic Motion through both hanging masses and pendula. Then, verify your understanding of how

More information