Turbulence in the Solar Wind

Size: px
Start display at page:

Download "Turbulence in the Solar Wind"

Transcription

1 Turbulence in the Solar Wind BU Summer School on Plasma Processes in Space Physics In this lab, you will calculate the turbulence in the fast and slow solar wind. You will download the data from NASA s OMNI website, which has made freely available the data from the ACE spacecraft. You will analyze the magnetic field, density, and velocity data collected from ACE in After eliminating transitory events (e.g., shocks) and separating the data between fast and slow solar wind, you will compare their magnetic field and velocity power spectra. First, we will obtain solar wind data from the OMNI website. OMNI, managed by NASA s Goddard Space Flight Facility in Greenbelt, MD, is an online interface from which you can access data relevant to heliospheric and solar wind studies. We will use this data to quantify the turbulence in the solar wind, but it is a fantastic resource which serves a variety of purposes. For example, one common usage for someone looking at solar wind-magnetosphere coupling would be to use the data obtained here as input for their models. The results of those models can then be compared with magnetospheric observations. Go to Once there, in the bottom right box, under Access data contributing to OMNI, click on the first link: Magnetic field: IMP-8, ISEE-3, Wind, ACE. We will use the ACE (Advanced Composition Explorer) spacecraft, which was launched in 1997 and generally sits at the L1 Lagrange point, between the Earth and sun approximately 0.01 AU away from us. Therefore, ACE is perfectly situated to give us the solar wind conditions which would affect Earth. A number of instruments constitute ACE, but for us, the two most relevant are MAG (the magnetometer, which provides the magnetic field data) and SWEPAM (Solar Wind Electron, Proton and Alpha Monitor, which provides the plasma data, such as the density and flow speed). The two instruments sample at different rates, but for the purposes of this lab, we will use the merged data to simplify matters. Beneath the Magnetic Field heading, look for the second bullet under ACE, where you should see 4-min. merged mag. and plasma data: via FTP; via OMNIWeb_Plus Browser (Hourly OMNI). Click on the second of those two links (via OMNIWeb_Plus Browser, not via FTP). This should bring you to a menu, from which you can specify the format in which you would like to receive the data. Under Select an activity, choose Create file. Under Enter start and stop dates, enter the date range January 1, 2008 to December 31, Under Select variables, you will only need Bmag (nt), Density (N/cm^3), and Speed (km/s). Click on the Submit button, and download the two files that it generates into your ~/Desktop/Turbulence/ directory.

2 Now, in a new terminal cd into that directory. The two files there should be a.fmt file which describes the format of the data, and a.lst file which contains the actual data itself. Take a look at the.fmt file. It should indicate that the data file will have seven columns of data: the year, day, hour, and minute of each measurement; the magnitude of the magnetic field measured by the magnetometer; and the solar wind density and flow speed measured by SWEPAM. 1. How many measurements are there in your.lst file? Hint: Typing wc *.lst will give you the word count of the file. The first number is the number of lines in the file. Now, start IDL. To start off, enter the following to fix a display issue related to Linux: IDL> device, true=24, decompose=3, retain=2 The next step is to read in the data file. Let nt be your answer to Question 1 and filename be a string containing the name of the *.lst file in single quotes. Enter IDL> data = dblarr(7,nt) IDL> openr,1,filename IDL> readf,1,data IDL> close,1 Now, data[0,*] will equal the year in which all your measurements were taken (2008), data[1,*] the day of the year (1-366), and so on. For example, you may enter IDL> bmag = data[4,*] IDL> den = data[5,*] IDL> vel = data[6,*] 2. You may want your time to be represented not by years, days, hours, and minutes, but by a single variable in a single chosen unit of time (say, seconds or days). Write down a formula for that variable in terms of data[0,*], data[1,*], data[2,*], and data[3,*], and store it in the variable time. Also, define dt as the time interval between measurements in that chosen unit. You may have noticed that some of the data have very strange values. For example, the measured density might show 3.36 cm -3, and in the next measurement it jumps to for a while before returning to more reasonable values. These represent gaps in the data where SWEPAM was unsuccessful in measuring the density properly. We want to keep track of those times when ACE made a good measurement of the magnetic field, density, and flow speed. To this end, enter IDL> indb = where(bmag lt 9999.) IDL> indn = where(den lt 999.) IDL> indv = where(vel lt 9999.) IDL> b = bmag[indb] IDL> n = den[indn] IDL> v = vel[indv] Now, indb is a list of indices where the magnetometer yielded good magnetic field data, and b is an

3 array of magnetic field data with the data points excluded. Note that the size of b is now less than nt, and b is sampled at different times from n and v. To plot the magnetic field measurements as a function of time, enter IDL> plot, time[indb], b, psym=3 You may also plot all three variables in a single window using IDL>!p.multi = [0,1,3] IDL> plot, time[indb], b, psym=3 IDL> plot, time[indn], n, psym=3 IDL> plot, time[indv], v, psym=3 (Use!p.multi = [0,1,1] to revert to single plots in each window.) 3. What are the average measured magnetic field, density, and flow speed over 2008? What are their standard deviations? Hint: Use the IDL functions mean and stdev on the appropriate data arrays. We now want to separate the data between times when ACE experienced a slow solar wind and times when it sat in a fast solar wind. Here, we characterize fast solar wind as exceeding 600 km/s, and slow solar wind as anything less than that. We also want to exclude any transitory events, such as a shock which might exhibit a discontinuous jump in density. For the purposes of this exercise, we characterize transitory events as those having a density greater than three standard deviations from the mean density. We now define indbslow as those indices where ACE had a valid magnetic field measurement, was sitting in the slow solar wind ( ), and was not experiencing a transitory event ( ). The following commands will accomplish this: IDL> indbslow = where((bmag lt 9999.) and (den lt nmean+3*nsigma) and (vel lt 600.)) IDL> bslow = bmag[indbslow] 4. Write down similar statements to define bfast, vslow, and vfast. Hint: Don t forget that, in each term within your where statement, your data should be less than 9999 (or 999 for the density). As a sanity check, you can verify that you obtained vslow and vfast properly with the commands IDL> plot, time[indvslow], vslow, psym=3, yrange=[0,max(vfast)] IDL> oplot, time[indvfast], vfast, psym=3, color=150 This should show the slow solar wind data in white, and the fast solar wind data overplotted in red.

4 5. In two separate plots, show the evolution of the magnetic field and the flow speed, with the slow wind data shown in white and the fast wind in red. Print both plots. (You may wish to set!p.multi = [0,1,2] first.) Is your velocity plot consistent with our definition of fast and slow solar wind conditions? Lastly, we shall perform Fourier transforms on the magnetic field and velocity data to obtain the power spectra for the fast and slow solar wind conditions. We will use IDL s fast Fourier transform procedure FFT. Generally, the fast Fourier transform works best when the number of data points is a power of two: 2, 4, 8, 1024, etc. Most likely, your data arrays do not fit this criterion, so use the following steps to Fourier transform the slow solar wind magnetic field data: IDL> nbslow2 = 2L^floor(alog(n_elements(bslow))/alog(2.)) IDL> bslow2 = bslow[0:nbslow2-1] IDL> bslowft = fft(bslow2) Use a similar procedure to Fourier transform bfast, vslow, and vfast. We have a significant caveat here: a proper fast Fourier transform uses regularly spaced data. However, the time-intervals between consecutive measurements of bslow2 are not all the same. Most of those time-intervals are dt, but over the course of this lab, we have excluded certain intervals because of gaps in the data, transitory events, or transitions between fast and slow solar wind. Thus, this is not a proper Fourier transform. Nevertheless, generally speaking, the time-scales between excluded intervals are comparatively longer than dt. Therefore, when we plot the subsequent power spectra, the low frequency spectrum should be taken with a grain of salt, but the high frequency data should still be believable. The resulting array bslowft should have the same dimensions as bslow2, namely, an array of size nbslow2. If we define as the array size nbslow2 and as the sampling interval dt, the format of bslowft is such that its array elements correspond to the frequencies: ( ) ( ) Therefore, if we define an array of frequencies IDL> freqbslow = (findgen(nbslow2/2)+1) / (nbslow2*dt) then the complex value bslowft[i+1] corresponds to the Fourier transform evaluated at the frequency freqbslow[i], and bslowft[nbslow2-1-i] to the frequency -freqbslow[i]. For example, to see a log-log plot of the Fourier transformed magnetic field data in the slow solar wind, type IDL> plot_oo, freqbslow, abs(bslowft[1:nbslow2/2]) The more interesting quantity, however, is the magnetic power spectrum. Review your notes from Prof. Chandran s lecture to find the formula for the power spectrum in terms of the Fourier transform of the magnetic field. 6. Write down that formula here. Then calculate the magnetic power spectra and velocity power spectra for both fast and slow solar wind. Plot these four power spectra in a log-log

5 plot (but do not print them yet). What does the shape of the power spectrum in log-log space tell you about its frequency dependence? Hint 1: Of course, we do not have, but you may use. Hint 2: You may also choose to employ reverse(bslowft[nbslow2/2:*]) for the negative frequency regime of the Fourier transform,. Alternatively, you could take advantage of the fact that those values are simply the complex conjugates of the positive frequency regime bslowft[1:nbslow2/2], i.e., when is real. (Why?) Finally, we can attempt to quantify the turbulence in these four plots by fitting them to power laws. The exponent in the power-law is simply the slope of the lines when plotted in log-log space. We shall use the IDL procedure linfit to compute these slopes: IDL> linbslow = linfit(alog10(freqbslow), alog10(powerbslow), yfit=fitbslow) IDL> plot_oo, freqbslow, powerbslow IDL> oplot, freqbslow, 10.^fitbslow, color=150 You should see a red line over your power spectrum, indicating a fit to a power-law spectrum. Type IDL> print, linbslow[1] to see the slope of this line. 7. Plot and print (use!p.multi = [0,2,2] first) all four power spectra including the magnetic and velocity power spectra for fast and slow solar wind conditions with the fitted power-law plotted on top of them. Fill out the table below with the slopes of these power-law spectra. What differences do you notice between fast and slow solar wind? Which conditions lead to steeper power spectra? Can you speculate why? Slow solar wind Fast solar wind Magnetic power spectrum Velocity power spectrum

Lab 2: Photon Counting with a Photomultiplier Tube

Lab 2: Photon Counting with a Photomultiplier Tube Lab 2: Photon Counting with a Photomultiplier Tube 1 Introduction 1.1 Goals In this lab, you will investigate properties of light using a photomultiplier tube (PMT). You will assess the quantitative measurements

More information

Questions not covered in this document? Contact Dr. Jerry Goldstein at

Questions not covered in this document? Contact Dr. Jerry Goldstein at Questions not covered in this document? Contact Dr. Jerry Goldstein at jgoldstein@swri.edu. 1. DATA The data section allows the user to see and download plots of data; these plots will be referred to as

More information

Solar Wind Variation Throughout the Heliosphere

Solar Wind Variation Throughout the Heliosphere Solar Wind Variation Throughout the Heliosphere Goals: In this lab you use simulation results to explore the structure of the solar wind. When you are finished with this lab you will have reviewed: the

More information

Summer School Lab Activities

Summer School Lab Activities Summer School Lab Activities Lab #5: Predicting and Modeling the Arrival of the May 12 th 1997 CME In this lab we will use remote observations of the May 12, 1997 solar flare and halo CME made at and near

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

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

The information you need will be on the internet. Please label your data with the link you used, in case we need to look at the data again.

The information you need will be on the internet. Please label your data with the link you used, in case we need to look at the data again. Solar Activity in Many Wavelengths In this lab you will be finding the sidereal rotation period of the Sun from observations of sunspots, you will compare the lifetimes of larger and smaller sunspots,

More information

Lab #2: Activity 5 Exploring the Structure of the Solar Magnetic Field Using the MAS Model

Lab #2: Activity 5 Exploring the Structure of the Solar Magnetic Field Using the MAS Model Lab #2: Activity 5 Exploring the Structure of the Solar Magnetic Field Using the MAS Model In this lab activity we will use results from the MAS (Magnetohydrodynamics Around a Sphere) model of the solar

More information

5-Star Analysis Tutorial!

5-Star Analysis Tutorial! 5-Star Analysis Tutorial This tutorial was originally created by Aaron Price for the Citizen Sky 2 workshop. It has since been updated by Paul York to reflect changes to the VStar software since that time.

More information

Lecture 12 The Importance of Accurate Solar Wind Measurements

Lecture 12 The Importance of Accurate Solar Wind Measurements Lecture 12 The Importance of Accurate Solar Wind Measurements The Approach Magnetospheric studies usually are based on a single solar wind monitor. We propagate the solar wind from the observation point

More information

VELA. Getting started with the VELA Versatile Laboratory Aid. Paul Vernon

VELA. Getting started with the VELA Versatile Laboratory Aid. Paul Vernon VELA Getting started with the VELA Versatile Laboratory Aid Paul Vernon Contents Preface... 3 Setting up and using VELA... 4 Introduction... 4 Setting VELA up... 5 Programming VELA... 6 Uses of the Programs...

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

UNST 232 Mentor Section Assignment 5 Historical Climate Data

UNST 232 Mentor Section Assignment 5 Historical Climate Data UNST 232 Mentor Section Assignment 5 Historical Climate Data 1 introduction Informally, we can define climate as the typical weather experienced in a particular region. More rigorously, it is the statistical

More information

Simulating Future Climate Change Using A Global Climate Model

Simulating Future Climate Change Using A Global Climate Model Simulating Future Climate Change Using A Global Climate Model Introduction: (EzGCM: Web-based Version) The objective of this abridged EzGCM exercise is for you to become familiar with the steps involved

More information

Newton's 2 nd Law. . Your end results should only be interms of m

Newton's 2 nd Law. . Your end results should only be interms of m Newton's nd Law Introduction: In today's lab you will demonstrate the validity of Newton's Laws in predicting the motion of a simple mechanical system. The system that you will investigate consists of

More information

Cluster and DEMETER Satellite Data. Fabien Darrouzet (Belgian Institute for Space Aeronomy (IASB-BIRA))

Cluster and DEMETER Satellite Data. Fabien Darrouzet (Belgian Institute for Space Aeronomy (IASB-BIRA)) Cluster and DEMETER Satellite Data Fabien Darrouzet (Belgian Institute for Space Aeronomy (IASB-BIRA)) 1 Outline Magnetosphere Plasmasphere Cluster Mission WHISPER Instrument and Data DEMETER Mission ISL

More information

Structures in the Magnetosphere 2. Hover the curser over a point on the image. The coordinates and value at that point should appear.

Structures in the Magnetosphere 2. Hover the curser over a point on the image. The coordinates and value at that point should appear. Investigating the Magnetosphere Introduction In this investigation, you will explore the properties of the regions of the magnetosphere using simulation results from the BATS-R-US model from the magnetosphere

More information

Software BioScout-Calibrator June 2013

Software BioScout-Calibrator June 2013 SARAD GmbH BioScout -Calibrator 1 Manual Software BioScout-Calibrator June 2013 SARAD GmbH Tel.: ++49 (0)351 / 6580712 Wiesbadener Straße 10 FAX: ++49 (0)351 / 6580718 D-01159 Dresden email: support@sarad.de

More information

GMS 8.0 Tutorial MT3DMS Advanced Transport MT3DMS dispersion, sorption, and dual domain options

GMS 8.0 Tutorial MT3DMS Advanced Transport MT3DMS dispersion, sorption, and dual domain options v. 8.0 GMS 8.0 Tutorial MT3DMS dispersion, sorption, and dual domain options Objectives Learn about the dispersion, sorption, and dual domain options in MT3DMS Prerequisite Tutorials None Required Components

More information

Senior astrophysics Lab 2: Evolution of a 1 M star

Senior astrophysics Lab 2: Evolution of a 1 M star Senior astrophysics Lab 2: Evolution of a 1 M star Name: Checkpoints due: Friday 13 April 2018 1 Introduction This is the rst of two computer labs using existing software to investigate the internal structure

More information

Radiation. Laboratory exercise - Astrophysical Radiation Processes. Magnus Gålfalk Stockholm Observatory 2007

Radiation. Laboratory exercise - Astrophysical Radiation Processes. Magnus Gålfalk Stockholm Observatory 2007 Radiation Laboratory exercise - Astrophysical Radiation Processes Magnus Gålfalk Stockholm Observatory 2007 1 1 Introduction The electric (and magnetic) field pattern from a single charged particle can

More information

Please click the link below to view the YouTube video offering guidance to purchasers:

Please click the link below to view the YouTube video offering guidance to purchasers: Guide Contents: Video Guide What is Quick Quote? Quick Quote Access Levels Your Quick Quote Control Panel How do I create a Quick Quote? How do I Distribute a Quick Quote? How do I Add Suppliers to a Quick

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

SKYCAL - Sky Events Calendar

SKYCAL - Sky Events Calendar SKYCAL - Sky Events Calendar Your web browser must have Javascript turned on. The following browsers have been successfully tested: Macintosh - Firefox 3.0 (Safari NOT supported) Windows - Firefox 3.0,

More information

Lab 1: Handout GULP: an Empirical energy code

Lab 1: Handout GULP: an Empirical energy code Lab 1: Handout GULP: an Empirical energy code We will be using the GULP code as our energy code. GULP is a program for performing a variety of types of simulations on 3D periodic solids, gas phase clusters,

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

CHAPTER 2 DATA. 2.1 Data Used

CHAPTER 2 DATA. 2.1 Data Used CHAPTER DATA For the analysis, it is required to use geomagnetic indices, which are representatives of geomagnetic activity, and Interplanetary Magnetic Field (IMF) data in addition to f F,which is used

More information

ISP 205: Visions of the Universe. Your Professor. Assignments. Course Resources

ISP 205: Visions of the Universe. Your Professor. Assignments. Course Resources ISP 205: Visions of the Universe Goal To learn about the universe around us Astronomy Have fun Method Lectures Collaborative learning Hands-on activities Assessment Homework Electronic postings Quizzes

More information

About Orbital Elements: Planning to Observe Comets and Minor Planets with Deep-Sky Planner 4

About Orbital Elements: Planning to Observe Comets and Minor Planets with Deep-Sky Planner 4 About Orbital Elements Page 1 About Orbital Elements: Planning to Observe Comets and Minor Planets with Deep-Sky Planner 4 Abstract Calculating an accurate position for a comet or minor planet (asteroid)

More information

Motion II. Goals and Introduction

Motion II. Goals and Introduction Motion II Goals and Introduction As you have probably already seen in lecture or homework, and if you ve performed the experiment Motion I, it is important to develop a strong understanding of how to model

More information

Newton s Second Law. Newton s Second Law of Motion describes the results of a net (non-zero) force F acting on a body of mass m.

Newton s Second Law. Newton s Second Law of Motion describes the results of a net (non-zero) force F acting on a body of mass m. Newton s Second Law Newton s Second Law of Motion describes the results of a net (non-zero) force F acting on a body of mass m. F net = ma (1) It should come as no surprise that this force produces an

More information

Working with Digital Elevation Models in ArcGIS 8.3

Working with Digital Elevation Models in ArcGIS 8.3 Working with Digital Elevation Models in ArcGIS 8.3 The homework that you need to turn in is found at the end of this document. This lab continues your introduction to using the Spatial Analyst Extension

More information

Using This Flip Chart

Using This Flip Chart Using This Flip Chart Solar storms can cause fluctuations in the magnetosphere called magnetic storms. These magnetic storms have disabled satellites and burned out transformers shutting down power grids.

More information

You will return this handout to the instructor at the end of the lab period. Experimental verification of Ampere s Law.

You will return this handout to the instructor at the end of the lab period. Experimental verification of Ampere s Law. PHY222 LAB 6 AMPERE S LAW Print Your Name Print Your Partners' Names Instructions Read section A prior to attending your lab section. You will return this handout to the instructor at the end of the lab

More information

SES 123 Global and Regional Energy Lab Worksheet

SES 123 Global and Regional Energy Lab Worksheet SES 123 Global and Regional Energy Lab Worksheet In this laboratory exercise, you used the NOAA Reanalysis site to explore global land temperatures, including spatial and temporal variations. Understanding

More information

FIT100 Spring 01. Project 2. Astrological Toys

FIT100 Spring 01. Project 2. Astrological Toys FIT100 Spring 01 Project 2 Astrological Toys In this project you will write a series of Windows applications that look up and display astrological signs and dates. The applications that will make up the

More information

LAST TIME..THE COMMAND LINE

LAST TIME..THE COMMAND LINE LAST TIME..THE COMMAND LINE Maybe slightly to fast.. Finder Applications Utilities Terminal The color can be adjusted and is simply a matter of taste. Per default it is black! Dr. Robert Kofler Introduction

More information

ACE/EPAM Interplanetary Particles at L1 and RBSPICE Observations. Thomas P. Armstrong Fundamental Technologies, LLC August 12, 2013

ACE/EPAM Interplanetary Particles at L1 and RBSPICE Observations. Thomas P. Armstrong Fundamental Technologies, LLC August 12, 2013 ACE/EPAM Interplanetary Particles at L1 and RBSPICE Observations Thomas P. Armstrong Fundamental Technologies, LLC August 12, 2013 Outline 1. Brief overview of 2012 from ACE illustrating available observations.

More information

Gluing Galaxies: A Jupyter Notebook and Glue Tutorial

Gluing Galaxies: A Jupyter Notebook and Glue Tutorial Gluing Galaxies: A Jupyter Notebook and Glue Tutorial Abstract: This tutorial will be utilizing an app called Jupyter Notebook to create and visualize scatter plots using python code. The data we want

More information

The Coefficient of Friction

The Coefficient of Friction The Coefficient of Friction OBJECTIVE To determine the coefficient of static friction between two pieces of wood. To determine the coefficient of kinetic friction between two pieces of wood. To investigate

More information

Coefficient of Friction Lab

Coefficient of Friction Lab Name Date Period Coefficient of Friction Lab The purpose of this lab is to determine the relationship between a) the force of static friction and the normal force and b) the force of kinetic friction and

More information

Experiment P05: Position, Velocity, & Acceleration (Motion Sensor)

Experiment P05: Position, Velocity, & Acceleration (Motion Sensor) PASCO scientific Physics Lab Manual: P05-1 Experiment P05: Position, Velocity, & Acceleration (Motion Sensor) Concept Time SW Interface Macintosh file Windows file linear motion 30 m 500 or 700 P05 Position,

More information

NMR Data workup using NUTS

NMR Data workup using NUTS omework 1 Chem 636, Fall 2008 due at the beginning of the 2 nd week lab (week of Sept 9) NMR Data workup using NUTS This laboratory and homework introduces the basic processing of one dimensional NMR data

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

1 Introduction to Minitab

1 Introduction to Minitab 1 Introduction to Minitab Minitab is a statistical analysis software package. The software is freely available to all students and is downloadable through the Technology Tab at my.calpoly.edu. When you

More information

DSP First. Laboratory Exercise #10. The z, n, and ˆω Domains

DSP First. Laboratory Exercise #10. The z, n, and ˆω Domains DSP First Laboratory Exercise #10 The z, n, and ˆω Domains 1 Objective The objective for this lab is to build an intuitive understanding of the relationship between the location of poles and zeros in the

More information

Cosmic Ray Detector Software

Cosmic Ray Detector Software Cosmic Ray Detector Software Studying cosmic rays has never been easier Matthew Jones Purdue University 2012 QuarkNet Summer Workshop 1 Brief History First cosmic ray detector built at Purdue in about

More information

SIMBAD RADIOMETER - INSTRUCTIONS

SIMBAD RADIOMETER - INSTRUCTIONS SIMBAD RADIOMETER - INSTRUCTIONS The SIMBAD radiometer measures direct sunlight intensity by viewing the sun, and water-leaving radiance by viewing the ocean surface at 45 degrees from nadir and 135 degrees

More information

Solar-Wind/Magnetosphere Coupling

Solar-Wind/Magnetosphere Coupling Solar-Wind/Magnetosphere Coupling Joe Borovsky Space Science Institute --- University of Michigan 1. Get a feeling for how the coupling works 2. Get an understanding of how reconnection works 3. Look at

More information

experiment3 Introduction to Data Analysis

experiment3 Introduction to Data Analysis 63 experiment3 Introduction to Data Analysis LECTURE AND LAB SKILLS EMPHASIZED Determining what information is needed to answer given questions. Developing a procedure which allows you to acquire the needed

More information

Multi Spacecraft Observation of Compressional Mode ULF Waves Excitation and Relativistic Electron Acceleration

Multi Spacecraft Observation of Compressional Mode ULF Waves Excitation and Relativistic Electron Acceleration Multi Spacecraft Observation of Compressional Mode ULF Waves Excitation and Relativistic Electron Acceleration X. Shao 1, L. C. Tan 1, A. S. Sharma 1, S. F. Fung 2, Mattias Tornquist 3,Dimitris Vassiliadis

More information

(latitudinal form of solar radiation. The part in parentheses is the 2 nd Legendre polynomial, a polynomial that integrates to zero over the sphere)

(latitudinal form of solar radiation. The part in parentheses is the 2 nd Legendre polynomial, a polynomial that integrates to zero over the sphere) PCC 587 Project 1: Write-up due October 22, 2009 Energy Balance Climate Model This handout describes the first project, and hopefully explains enough to make it work for everyone! If you have questions

More information

Remote Imaging of Electron Acceleration at the Sun with a Lunar Radio Array

Remote Imaging of Electron Acceleration at the Sun with a Lunar Radio Array Remote Imaging of Electron Acceleration at the Sun with a Lunar Radio Array J. Kasper Harvard-Smithsonian Center for Astrophysics 6 October 2010 Robotic Science From the Moon: Gravitational Physics, Heliophysics

More information

Fold Analysis Challenge

Fold Analysis Challenge GETTING STARTED: The is designed to help geology students attain competency in basic structural analysis of folds using Google Earth. There are two versions, online and desktop. For the online version,

More information

Assignment 4: Object creation

Assignment 4: Object creation Assignment 4: Object creation ETH Zurich Hand-out: 13 November 2006 Due: 21 November 2006 Copyright FarWorks, Inc. Gary Larson 1 Summary Today you are going to create a stand-alone program. How to create

More information

Login -the operator screen should be in view when you first sit down at the spectrometer console:

Login -the operator screen should be in view when you first sit down at the spectrometer console: Lab #2 1D 1 H Double Resonance (Selective Decoupling) operation of the 400 MHz instrument using automated sample insertion (robot) and automated locking and shimming collection of 1D 1 H spectra retrieving

More information

Instructions for using the Point Mass Ballistics Solver 2.0 Computer Program

Instructions for using the Point Mass Ballistics Solver 2.0 Computer Program Instructions for using the Point Mass Ballistics Solver 2.0 Computer Program Overview This ballistics program was designed to be an educational tool, as well as a functional and accurate program for generating

More information

Purpose of the experiment

Purpose of the experiment Seasons and Angle of Insolation ENSC 162 Solar Energy Lab Purpose of the experiment Use a Temperature Probe to monitor simulated warming of your city by the sun in the winter. Use a Temperature Probe monitor

More information

Joint ICTP/IAEA Workshop on Advanced Simulation and Modelling for Ion Beam Analysis

Joint ICTP/IAEA Workshop on Advanced Simulation and Modelling for Ion Beam Analysis 2015-19 Joint ICTP/IAEA Workshop on Advanced Simulation and Modelling for Ion Beam Analysis 23-27 February 2009 Use of the IBA DataFurnace C. Jeynes University of Surrey Ion Beam Centre U.K. IBA techniques:

More information

Study of Wave-Particle Interaction Using Wind/ACE Data

Study of Wave-Particle Interaction Using Wind/ACE Data Study of Wave-Particle Interaction Using Wind/ACE Data Lan Jian (lan.jian@nasa.gov) 1. 2. University of Maryland, College Park NASA Goddard Space Flight Center Collaborators: M. Stevens, S. P. Gary, A.

More information

INVESTIGATING SOLAR CYCLES

INVESTIGATING SOLAR CYCLES INVESTIGATING SOLAR CYCLES A SOHO ARCHIVE & ULYSSES FINAL ARCHIVE TUTORIAL SCIENCE ARCHIVES AND VO TEAM Tutorial Written By: Madeleine Finlay, as part of an ESAC Trainee Project 2013 (ESA Student Placement)

More information

Looking for strange particles in ALICE. 1. Overview

Looking for strange particles in ALICE. 1. Overview Looking for strange particles in ALICE 1. Overview The exercise proposed here consists of a search for strange particles, produced from collisions at LHC and recorded by the ALICE experiment. It is based

More information

Survey of the Solar System. The Sun Giant Planets Terrestrial Planets Minor Planets Satellite/Ring Systems

Survey of the Solar System. The Sun Giant Planets Terrestrial Planets Minor Planets Satellite/Ring Systems Survey of the Solar System The Sun Giant Planets Terrestrial Planets Minor Planets Satellite/Ring Systems The Sun Mass, M ~ 2 x 10 30 kg Radius, R ~ 7 x 10 8 m Surface Temperature ~ 5800 K Density ~ 1.4

More information

Determination of Density 1

Determination of Density 1 Introduction Determination of Density 1 Authors: B. D. Lamp, D. L. McCurdy, V. M. Pultz and J. M. McCormick* Last Update: February 1, 2013 Not so long ago a statistical data analysis of any data set larger

More information

ECEN 651: Microprogrammed Control of Digital Systems Department of Electrical and Computer Engineering Texas A&M University

ECEN 651: Microprogrammed Control of Digital Systems Department of Electrical and Computer Engineering Texas A&M University ECEN 651: Microprogrammed Control of Digital Systems Department of Electrical and Computer Engineering Texas A&M University Prof. Mi Lu TA: Ehsan Rohani Laboratory Exercise #4 MIPS Assembly and Simulation

More information

THE PERIOD OF ROTATION OF THE SUN

THE PERIOD OF ROTATION OF THE SUN THE PERIOD OF ROTATION OF THE SUN Student Manual A Manual to Accompany Software for the Introductory Astronomy Lab Exercise Document SM 11: Circ.Version 1.0 Department of Physics Gettysburg College Gettysburg,

More information

MASSACHUSETTS INSTITUTE OF TECHNOLOGY Physics Department. Physics 8.01L IAP Experiment 3: Momentum and Collisions

MASSACHUSETTS INSTITUTE OF TECHNOLOGY Physics Department. Physics 8.01L IAP Experiment 3: Momentum and Collisions MASSACHUSETTS INSTITUTE OF TECHNOLOGY Physics Department Physics 8.01L IAP 2011 Experiment 3: Momentum and Collisions Purpose of the Experiment: In this experiment you collide a cart with a spring that

More information

Lab 3 Acceleration. What You Need To Know: Physics 211 Lab

Lab 3 Acceleration. What You Need To Know: Physics 211 Lab b Lab 3 Acceleration Physics 211 Lab What You Need To Know: The Physics In the previous lab you learned that the velocity of an object can be determined by finding the slope of the object s position vs.

More information

Kinematics Lab. 1 Introduction. 2 Equipment. 3 Procedures

Kinematics Lab. 1 Introduction. 2 Equipment. 3 Procedures Kinematics Lab 1 Introduction An object moving in one dimension and undergoing constant or uniform acceleration has a position given by: x(t) =x 0 +v o t +1/2at 2 where x o is its initial position (its

More information

Physics Lab #5: Starry Night Observations of the Sun and Moon

Physics Lab #5: Starry Night Observations of the Sun and Moon Physics 10293 Lab #5: Starry Night Observations of the Sun and Moon Introduction Today, we are going to use the Starry Night software to learn about motion of the stars, sun and moon on the celestial sphere.

More information

L03 The Coefficient of Static Friction 1. Pre-Lab Exercises

L03 The Coefficient of Static Friction 1. Pre-Lab Exercises L03 The Coefficient of Static Friction 1 Full Name: Lab Section: Pre-Lab Exercises Hand this in at the beginning of the lab period. The grade for these exercises will be included in your lab grade this

More information

Virtual Beach Making Nowcast Predictions

Virtual Beach Making Nowcast Predictions Virtual Beach 3.0.6 Making Nowcast Predictions In this module you will learn how to: A. Create a real-time connection to Web data services through EnDDaT B. Download real-time data to make a Nowcast prediction

More information

Solar wind spatial scales in and comparisons of hourly Wind and ACE plasma and magnetic field data

Solar wind spatial scales in and comparisons of hourly Wind and ACE plasma and magnetic field data JOURNAL OF GEOPHYSICAL RESEARCH, VOL. 110,, doi:10.1029/2004ja010649, 2005 Solar wind spatial scales in and comparisons of hourly Wind and ACE plasma and magnetic field data J. H. King 1 QSS Group, Inc.,

More information

NASA s STEREO Mission

NASA s STEREO Mission NASA s STEREO Mission J.B. Gurman STEREO Project Scientist W.T. Thompson STEREO Chief Observer Solar Physics Laboratory, Helophysics Division NASA Goddard Space Flight Center 1 The STEREO Mission Science

More information

Celestial Sphere. Altitude [of a celestial object] Zenith. Meridian. Celestial Equator

Celestial Sphere. Altitude [of a celestial object] Zenith. Meridian. Celestial Equator Earth Science Regents Interactive Path of the Sun University of Nebraska Resources Copyright 2011 by Z. Miller Name Period COMPANION WEBSITES: http://www.analemma.com/ http://www.stellarium.org/ INTRODUCTION:

More information

NMR Assignments using NMRView II: Sequential Assignments

NMR Assignments using NMRView II: Sequential Assignments NMR Assignments using NMRView II: Sequential Assignments DO THE FOLLOWING, IF YOU HAVE NOT ALREADY DONE SO: For Mac OS X, you should have a subdirectory nmrview. At UGA this is /Users/bcmb8190/nmrview.

More information

Signal Processing First Lab 11: PeZ - The z, n, and ˆω Domains

Signal Processing First Lab 11: PeZ - The z, n, and ˆω Domains Signal Processing First Lab : PeZ - The z, n, and ˆω Domains The lab report/verification will be done by filling in the last page of this handout which addresses a list of observations to be made when

More information

22.S902 IAP 2015 (DIY Geiger Counters), Lab 1

22.S902 IAP 2015 (DIY Geiger Counters), Lab 1 22.S902 IAP 2015 (DIY Geiger Counters), Lab 1 Due January 12th January 7, 2015 In these laboratory exercises, you will fully characterize your Geiger counters, the background in the room, and your shielding.

More information

Mian Abbas, Jim Spann, Andre LeClair NASA Marshall Space Flight Center, Huntsville, AL

Mian Abbas, Jim Spann, Andre LeClair NASA Marshall Space Flight Center, Huntsville, AL Lunar Dust Distributions From So Infrared Absorption Measurement With a Fourier Transform Spectrometer Mian Abbas, Jim Spann, Andre LeClair NASA Marshall Space Flight Center, Huntsville, AL John Brasunas,

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

1 Introduction & Objective. 2 Warm-up. Lab P-16: PeZ - The z, n, and O! Domains

1 Introduction & Objective. 2 Warm-up. Lab P-16: PeZ - The z, n, and O! Domains DSP First, 2e Signal Processing First Lab P-6: PeZ - The z, n, and O! Domains The lab report/verification will be done by filling in the last page of this handout which addresses a list of observations

More information

Physics Lab #3:! Starry Night! Observations of the Sun and Moon!

Physics Lab #3:! Starry Night! Observations of the Sun and Moon! Physics 10293 Lab #3: Starry Night Observations of the Sun and Moon Introduction Today, we are going to use the Starry Night software to learn about motion of the stars, sun and moon on the celestial sphere.

More information

LAB 3: WORK AND ENERGY

LAB 3: WORK AND ENERGY 1 Name Date Lab Day/Time Partner(s) Lab TA (CORRECTED /4/05) OBJECTIVES LAB 3: WORK AND ENERGY To understand the concept of work in physics as an extension of the intuitive understanding of effort. To

More information

Spin transport in Magnetic Tunnel Junctions

Spin transport in Magnetic Tunnel Junctions Spin transport in Magnetic Tunnel Junctions Tutorial on spin transport in Fe-MgO-Fe Version 2015.2 Spin transport in Magnetic Tunnel Junctions: Tutorial on spin transport in Fe-MgO-Fe Version 2015.2 Copyright

More information

Exp. #2-4 : Measurement of Characteristics of Magnetic Fields by Using Single Coils and a Computer Interface

Exp. #2-4 : Measurement of Characteristics of Magnetic Fields by Using Single Coils and a Computer Interface PAGE 1/17 Exp. #2-4 : Measurement of Characteristics of Magnetic Fields by Using Single Coils and a Computer Interface Student ID Major Name Team No. Experiment Lecturer Student's Mentioned Items Experiment

More information

W.R. Webber 1 and D.S. Intriligator 2

W.R. Webber 1 and D.S. Intriligator 2 A Forecast for a South Heliopause Crossing by Voyager 2 in Late 2014 Using Intensity-time Features of Energetic Particles Observed by V1 and V2 in the North and South Heliosheaths W.R. Webber 1 and D.S.

More information

Seasons and Angle of Insolation

Seasons and Angle of Insolation Computer Seasons and Angle of Insolation 29 (Adapted from Exp 29 Seasons and Angle of Insolation from the Earth Science with Vernier lab manual.) Have you ever wondered why temperatures are cooler in the

More information

Motion on a linear air track

Motion on a linear air track Motion on a linear air track Introduction During the early part of the 17 th century, Galileo experimentally examined the concept of acceleration. One of his goals was to learn more about freely falling

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

Voyager observations of galactic and anomalous cosmic rays in the helioshealth

Voyager observations of galactic and anomalous cosmic rays in the helioshealth Voyager observations of galactic and anomalous cosmic rays in the helioshealth F.B. McDonald 1, W.R. Webber 2, E.C. Stone 3, A.C. Cummings 3, B.C. Heikkila 4 and N. Lal 4 1 Institute for Physical Science

More information

Astro 3 Lab Exercise

Astro 3 Lab Exercise Astro 3 Lab Exercise Lab #4: Measuring Redshifts of Galaxies Dates: August 5 6 Lab Report due: 5 pm Friday August 15 Summer 2014 1 Introduction This project involves measuring the redshifts of distant

More information

Introduction to simulation databases with ADQL and Topcat

Introduction to simulation databases with ADQL and Topcat Introduction to simulation databases with ADQL and Topcat Kristin Riebe, GAVO July 05, 2016 Introduction Simulation databases like the Millennium Database or CosmoSim contain data sets from cosmological

More information

What Causes the Seasons?

What Causes the Seasons? Name Date What Causes the Seasons? Experiment 10 Because the axis of the Earth is tilted, the Earth receives different amounts of solar radiation at different times of the year. The amount of solar radiation

More information

MAT 343 Laboratory 6 The SVD decomposition and Image Compression

MAT 343 Laboratory 6 The SVD decomposition and Image Compression MA 4 Laboratory 6 he SVD decomposition and Image Compression In this laboratory session we will learn how to Find the SVD decomposition of a matrix using MALAB Use the SVD to perform Image Compression

More information

A New JPL Interplanetary Solar HighEnergy Particle Environment Model

A New JPL Interplanetary Solar HighEnergy Particle Environment Model A New JPL Interplanetary Solar HighEnergy Particle Environment Model Insoo Jun (JPL), Randall Swimm (JPL), Joan Feynman (JPL), Alexander Ruzmaikin (JPL), Allan Tylka (NRL), and William Dietrich (NRL/Consultant)

More information

Data collection and processing (DCP)

Data collection and processing (DCP) This document is intended as a guideline for success in IB internal assessment. Three criteria are assessed based on lab work submitted in a report or other format. They are: DESIGN, DATA COLLECTION AND

More information

Correlation length of large-scale solar wind velocity fluctuations measured tangent to the Earth s orbit: First results from Stereo

Correlation length of large-scale solar wind velocity fluctuations measured tangent to the Earth s orbit: First results from Stereo JOURNAL OF GEOPHYSICAL RESEARCH, VOL. 113,, doi:10.1029/2007ja012865, 2008 Correlation length of large-scale solar wind velocity fluctuations measured tangent to the Earth s orbit: First results from Stereo

More information

Acid/Base Interactions

Acid/Base Interactions Acid/Base Interactions Name Lab Section Log on to the Internet. Type the following address into the location-input line of your browser: http://cheminfo.chem.ou.edu/~mra/ccli2004/acids+bm.htm This will

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

Lab #8 NEUTRAL ATMOSPHERE AND SATELLITE DRAG LAB

Lab #8 NEUTRAL ATMOSPHERE AND SATELLITE DRAG LAB Lab #8 NEUTRAL ATMOSPHERE AND SATELLITE DRAG LAB Introduction Goals: In this lab we explore effects of atmospheric drag on motion of satellites that are in low enough orbits to be affected by the Earth

More information