Data Reduction Procedures. Python

Size: px
Start display at page:

Download "Data Reduction Procedures. Python"

Transcription

1 Data Reduction Procedures Python Data reduction can be done in a number of ways using different software packages and tools. Python is being used more and more frequently for astronomical data reduction, so some basic tools for doing basic CCD Direct Imaging data reduction. Below are some general notes before getting started with detailed directions on how to reduce Lick Observatory data with python. 1. Back up raw data. Often one makes mistakes in data reduction or wants to try a different method or procedure, so you should make sure the original data are preserved. 2. To start python type python at the command prompt (in linux this will be an xterm window; in MacOS this will be a terminal window in XQuartz or Terminal; in Windows use Cygwin or similar). 3. We will use DS9 for image display rather than python image display tools, as that is designed for astronomical images and used by most astronomers in the USA. Is it advisable to take a quick look at the images after each step to make sure they look as expected. The tutorial below will walk you through reducing direct imaging data from the Nickel telescope at Lick Observatory. The procedures are generally applicable to typical CCD images. Overscan subtraction For Lick data we have a script, overscanlickobs.py (can be downloaded from that reads the FITS headers of a list of images to get the image and overscan regions of the detector and performs the fit and subtraction of the overscan from each image and writes out a new overscan subtracted image. You can look at the script to see the details of what python is doing and as a guide to writing custom python scripts for data from other observatories. You may have to alter the first line of the script with the location of your python executable file. First a list of image files must be created. This is easily done with the following command in a terminal window: ls *.fits > allfiles.list This will be the list of input FITS files to overscanlickobs.py. Next a list of output files should be created so you don t overwrite the original files. For example, cp allfiles.list allfiles_os.list

2 The os indicates overscan subtracted file names, and you should edit allfiles_os.list with your preferred text editor to change the output file names, e.g. d100.fits to d100os.fits. To perform the overscan subtraction simply type the command: overscanlickobs.py f i allfiles.list o allfiles_os.list You can look at Figures 3 and 4 to see sample raw and overscan subtracted data images. Starting python For the rest of this tutorial, we ll work within the python environment using individual python commands with occasional commands done in at the terminal prompt. To start python type the following at the command prompt python Next we ll want to import the routines that will be used during the data reduction: from astropy.io import fits This command will import the fits file reading procedures from the astropy python package. import numpy as np will import all the numpy package procedures, which are handy procedures such as median and you can call them by typing np. before the procedure name (e.g. np.median). Combine Bias Frames Again it is easiest to make a list of bias file names rather than reading in every one individually at the command line in python. For example, if the overscan subtracted bias frame file names are d100os.fits through d109os.fits you can do at the terminal prompt ls d10?os.fits > bias.list or use a text editor to create a list of bias file names. In python you can read the file names into a list: biasfiles = [line.rstrip( \n ) for line in open( bias.list )] And then read the images into a data stack (note that indentation is important in python when doing for loops and similar operations). data_stack = [] for file in biasfiles: data_stack.append(fits.getdata(file))

3 Next the bias images need to be median combined to create a final bias frame to subtract from the overscan subtracted flat fields and data. The following command will median combine the image stack along the appropriate axis (in this case axis=0): medianbias = np.median(data_stack,axis=0) It is good practice to put information into the header concerning the actions taken on the data. Hence we want to add a HISTORY keyword to the combined bias frame FITS header. To create a header for the combined bias frame, let s first read in the header for one of the overscan subtracted bias frames header = fits.getheader(biasfiles[0]) then add a history comment to the header header[ HISTORY ] = Median combined Finally, to write the combined bias frame to a file use the following command fits.writeto( bias.fits,medianbias,header) Bias Subtraction Next the combined bias frame needs to be subtracted from the flat field and data images. Again it is easiest to make a list of all the data frames, and editing an existing data file list is expedient, e.g. cp allfiles_os.list datafiles_os.list then use a text editor to remove the bias frames from the list (they have been combined and there is no need to do any further processing on them). Next make a list of output file names for the bias subtracted data, e.g. datafiles_bs.list. Read the lists into python: datafilesin = [line.rstrip( \n ) for line in open( datafiles_os.list )] datafilesout = [line.rstrip( \n ) for line in open( datafiles_bs.list )] n = len(datafilesin) for i in range(0,n): data,header = fits.getdata(datafilesin[i],header=true) dataout = data - medianbias header['history'] = 'Bias subtracted' fits.writeto(datafilesout[i],dataout,header) Combine Flat Fields Using a text editor, make lists of bias subtracted flat field frames for each filter, e.g. bflat.list, vflat.list, etc.

4 Read in each list of files: bflatfiles = [line.rstrip( \n ) for line in open( bflat.list )] vflatfiles = [line.rstrip( \n ) for line in open( vflat.list )] rflatfiles = [line.rstrip( \n ) for line in open( rflat.list )] Next make an image stack for each filter s flat field frames and scale each image by its median. We need to scale each image by its median because twilight flats have different illumination levels for each frame as the sky changes brightness, but to median combine them together to beat down noise, they need to have similar count levels between images. bflat_stack = [] for file in bflatfiles: data,header = fits.getdata(file,header=true) data = data / np.median(data) bflat_stack,append(data) The image stack can then be median combined and normalized by the mean so we can measure the pixel to pixel variation in sensitivity of the detector. bflat = np.median(bflat_stack,axis=0) m = np.mean(bflat) bflat = bflat/m Finally, write out the combined, normalized flat field frame: header[ HISTORY ] = Combined and normalized flat field fits.writeto( bflat.fits,bflat,header) Repeat the above for the other filters. Flat Field Data Make a list of all bias subtracted data frames for each filter in a text editor, e.g. bdata.list, vdata.list, etc. Make similar lists with output file names, e.g. bdata_out.list, vdata_out.list, etc. In python read in the lists: bdatain = [line.rstrip( \n ) for line in open( bdata.list )] bdataout = [line.rstrip( \n ) for line in open( bdata_out.list )] Now divide each image by the appropriate filter s normalized flat field: n=len(bdatain) for i in range(0,n):

5 data,header = fits.getdata(bdatain[i],header=true) dataout = data / bflat header[ HISTORY ] = Flat Fielded fits.writeto(bdataout[i],dataout,header) Repeat above for the other filters. Fix Bad Columns and Pixels Many detectors have known bad columns or pixels. Replacing bad pixels with the mean of the surrounding good pixels is a typical technique to correct these flaws. In this example we ll create a bad pixel mask and fill in those pixels with the median of the surrounding good pixels. In Nickel telescope data the known bad columns are 255, 256, 783, 784, 1001, 1002 (note, python starts counting at 0, whereas DS9 and IRAF start counting at 1, so in DS9 the bad columns will show as being +1 of what is listed here). Create the mask with the following command mask = np.ma.make_mask(data,copy=true,shrink=true, dtype=np.bool) and set all pixels to unmasked: mask[:,:] = False Now set the bad columns to be masked. Note that we can indicate ranges of columns and that in python the first number of the range is inclusive, whereas the last number is exclusive. mask[:,255:257] = True mask[:,783:785] = True mask[:,1001:1003] = True Now read in a data file and header, for example data,header = fits.getdata( d143ff.fits,header=true) Next we mask the data and set the bad pixels to NaN: mdata = np.ma.masked_array(data,mask=mask,fill_value=np.nan) Now we can loop through the masked data to identify NaN values and replace with the mean of the surrounding pixels. This is a slow way to do it, by going one pixel at a time and there are likely more efficient ways to do this. Copy data to new array datafixed = data.copy() and set box size for area around bad pixel to be averaged

6 s=2 The following will loop through each pixel and account for the edges of the array for i in range(0,mdata.shape[0]): for j in range(0,mdata.shape[1]): if np.math.isnan(mdata[i,j]): x1 = i-s x2 = i+s+1 y1 = j-s y2 = j+s+1 if x1<0: x1 = 0 if x2>mdata.shape[0]: x2=mdata.shape[0] if y1<0: y1 = 0 if y2>mdata.shape[1]: y2 = mdata.shape[1] datafixed[i,j] = np.mean(mdata[x1:x2,y1:y2]) Now that the bad pixels are replaced, write it to disk, for example: header[ HISTORY ] = Bad pixels replaced fits.writeto( d143fix.fits,datafixed,header) As an exercise for the student, write a procedure to do this for every data image. Cosmic Ray Removal There is a package known as astroscrappy that does cosmic ray identification and removal. You can install it from the command line with pip install astroscrappy Note that on Macs you might need to use sudo pip install astroscrappy and on linux you might need root permission to install python packages with pip. To use it in python type import astroscrappy The function detect_cosmics will accept a bad pixel mask so you can replace bad pixels and cosmic rays at the same time, rather than doing the loop above to replace the bad pixels first. Use

7 the following command (which assumes many defaults about the detector and noise properties, but those defaults are usually fine for Nickel telescope data): crmask,datacr = astroscrappy.detect_cosmics(datafixed,inmask=mask,cleantype= medmask ) And write out the data to a file: header[ HISTORY ] = Cosmic rays replaced fits.writeto( d143final.fits,datacr,header) As an exercise for the student, write a script to do this for all the data images. Finally, to exit python, type exit() or Ctrl-D. Python Resources and Tutorials Python4Astronomers AstroPython Tutorials astropy Tutorials Python for Astronomers

8 IRAF and IDL Data reduction can be done in a number of ways using different software packages and tools. For the sake of examples, IRAF is predominantly shown, as this package is free and widely used. IDL is also frequently used, but can be expensive to purchase. The examples given are not meant to describe the only way to do things, but are just one example of how to process data. CCD Direct Imaging 1. Back up raw data. Often one make mistakes in data reduction or wants to try a different method or procedure, so you should make sure the original data are preserved. 2. Overscan subtraction For Lick data you can use IDL script ccd2bias.pro (or similar, instrument dependent) e.g. ccd2bias, d100.fits, d100new.fits IRAF: colbias e.g. colbias d100 d100new bias=[1026:1052,*] trim=[1:1025,*] function=spline3 Things get more complicated if two or more amplifiers for the CCD. The IDL script mentioned above are specific to Lick instruments, but can be easily modified for other CCDs. 3. Bias subtraction Median combine bias images IRAF: imcomb e.g. imcomb bias1,bias2,bias3 BIAS combine=median Note: for near IR or high dark current detectors, bias subtraction is replaced with dark subtraction. Subtract bias from data IRAF: imarith e.g Create Flat Fields Twilight flats generally have different count levels in each frame, so it is typical to scale each frame by the mode (can also scale by median)

9 Median (or mean) combine flats, rejecting high and low values if you have enough flat field frames. IRAF: imcomb e.g. imcomb flat1,flat2,flat3,flat4,flat5,flat6,flat7 FLAT combine=average scale=mode reject=minmax Normalize combined flat field by mean. IRAF: imstat & imarith Find mean of FLAT: e.g. imstat FLAT # IMAGE NPIX MEAN STDDEV MIN MAX FLAT.fits Divide FLAT by mean: e.g. imarith FLAT / FLAT 5. Flat field data frames IRAF: imarith e.g. / 6. Fix bad pixels This step is optional, but often a CCD will have bad columns or rows that need to be corrected. IRAF: fixpix e.g. fixpix sd128 badpix where badpix is a text file containing the regions of bad pixel coordinates in the following format: x1 x2 y1 y2. For CCD2 at the Nickel a typical badpix file has the following contents for the two bad columns: Cosmic ray rejection This step is optional, but highly recommended, particularly for long exposure time images. A common way to reject cosmic rays is to take multiple exposures of the same field and combine them. IRAF: crrej

10 e.g. combinedimage 4,4,3,2 If only have a single frame, use IRAF: cosmicrays e.g. cosmicrays d100new d100cr fluxratio=2. threshold=25. interactive+ 8. Analyze data At this point your data images are ready for analysis. Depending on what you are doing will determine what data packages or tools you will need. Handy tools for quick photometry and astrometry are: IRAF: imexam IDL: atv Spectroscopy 1. Backup raw data (as above) 2. Overscan subtraction (as above) 3. Bias subtraction (as above) 4. Create flat fields Median combine flat fields (as above) Spectral flat fields are combination of CCD and lamp response. IRAF: response (in twodspec, longslit package) e.g. response bflat bflat BFLAT order=6 5. Flat field data frames (as above) 6. Wavelength calibration Identify arc lamp lines IRAF: identify e.g. identify r100 coordli= linelists$idhenear.dat e.g. identify b100 coordli=/data/gemini/spectra/cdhgar.dat NB: identify is an interactive procedure with many options which are too extensive to cover here. Reidentify lines for 2D spectra: IRAF: reidentify e.g. reidentify r100 r100 step=10 nsum=10 nlost=2 verbose=yes

11 Fit coordinates: IRAF: fitcoords e.g. fitcoords r100 functio=chebyshev xorder=1 yorder=1 NB: you will probably want to up xorder and yorder as necessary in interactive mode. Note, you can use the same procedures to trace bright star spectrum: IRAF: identify, reidentify, and fitcoords Use identify, etc. to trace middle column instead of middle line e.g. identify r134 nsum=10 section= middle column coordli= e.g. reidentify r134 r134 step=10 nsum=10 nlost=2 verbose=yes section= middle column e.g. fitcoords r134 function=chebyshev xorder=2 yorder=1 7. Apply wavelength solution to data IRAF: transform fitnames=r100 You can choose to not do this step to apply the wavelength solution after the spectra are extracted (step 7) using the IRAF task dispcor (when using dispcor, you do not need to use fitcoords in step 5). 8. Extract spectra IRAF: apall (in twodspec, apextract package) e.g. apall r145 NB: Like identify this is an interactive program with many options which are too extensive to go over here. 9. Examine spectra IRAF: splot (onedspec package) e.g. splot r145.ms 10. Flux calibrate There are many different ways to do this, so I won t go in to detail, but the IRAF tasks standard and fluxcalib are often used. 11. Remove telluric absorption As with flux calibration, there are many tasks to do this. IRAF procedures telluric and skytweak are useful.

12 12. Analyze data At this point the spectra are ready to be analyzed, which won t be covered here. Possible analysis would be measuring redshift, equivalent widths, de-blending lines, etc. depending on the science objectives. IRAF s splot can do many of these funtions Examples of Data at various stages of data reduction Direct Imaging Figure 1: Raw Bias Figure 2: Raw Flat Field Raw frames show overscan region (rightmost columns), bad columns, dust motes, cosmic rays, vignetting, and other chip defects (Figures 1 thru 3). Overscan and bias subtraction remove the baseline count level and structure of the CCD. Other defects still remain (Figure 4).

13 Figure 3: Raw Data - M106 Figure 4: Overscan and Bias Subtracted Flat fielding adjusts for pixel by pixel differences in sensitivity, either intrinsic to the device or caused by dust on the detector, dewar window, filters, or other optics in the light path. Figure 5 shows the flat fielded data frame. Figure 5: Flat Fielded Data Figure 6: Final Data After flat fielding, images still have problems such as cosmic rays and bad columns. Using IRAF routines such as cosmicrays, fixpix, and imedit can remove the remaining bad pixels or regions and yield a clean final data image ready for analysis.

14 Spectroscopy Figure 7: Raw Arc Spectrum Figure 8: Raw Spectral Fla Figure 9: Raw Spectral Data Figure 10: Final Spectral Flatfield

15 Figure 11: Flat Fielded Data Figure 12: Identified arc lines for wavelength solution Figure 13: Extracted Spectrum

16 Figure 14: Final Flux Calibrated and Telluric Absorption Corrected Spectrum Other data reduction packages IDL MIDAS Starlink (GAIA, ORAC-DR, etc) Dr. Prochaska (UCSC) has written an IDL package called XIDL to do reductions of spectral data for a number of instruments, including Lick s Kast Double Spectrograph and Keck s HIRES and LRES.

Reducing CCD Imaging Data

Reducing CCD Imaging Data Reducing CCD Imaging Data Science and Calibration Data Exactly what you need will depend on the data set, but all the images generally fall into two categories. Science Exposures: Self-explanatory -- this

More information

Reducing GMOS Spectroscopic data

Reducing GMOS Spectroscopic data Reducing GMOS Spectroscopic data Ricardo Schiavon Gemini SAGDW Oct 27, 2011 With thanks to Rodrigo Carrasco & Kathy Roth Contents Image treatment (bias, darks, flats) MOS Nod & Shuffle Long slit 2 General

More information

Python Quick-Look Utilities for Ground WFC3 Images

Python Quick-Look Utilities for Ground WFC3 Images Instrument Science Report WFC3 2008-002 Python Quick-Look Utilities for Ground WFC3 Images A.R. Martel January 25, 2008 ABSTRACT A Python module to process and manipulate ground WFC3 UVIS and IR images

More information

FIES Automatic Data Reduction Software version 1.0. User Manual. Eric Stempels

FIES Automatic Data Reduction Software version 1.0. User Manual. Eric Stempels FIES Automatic Data Reduction Software version 1.0 User Manual Eric Stempels November 24, 2005 CONTENTS 3 Contents 1 Introduction 5 2 Software installation 6 2.1 System requirements...........................

More information

GMOS CCD Upgrade Options S. Kleinman, J. Jensen 26Sep08

GMOS CCD Upgrade Options S. Kleinman, J. Jensen 26Sep08 GMOS CCD Upgrade Options S. Kleinman, J. Jensen 26Sep08 Background We are planning to upgrade the scientific capability of GMOS-N by upgrading its roughly 10 year old E2V CCDs to newer CCDs with enhanced

More information

Delivery test of the ALFOSC camera with E2V CCD Ser. no

Delivery test of the ALFOSC camera with E2V CCD Ser. no Page: 1 of 11 1. Gain and linearity All linearity tests are made with setup scripts setup_teu (updated March 7) and speed_100, with a detector temperature not in lock but very slowly decreasing around

More information

Comparison of SONY ILX511B CCD and Hamamatsu S10420 BT-CCD for VIS Spectroscopy

Comparison of SONY ILX511B CCD and Hamamatsu S10420 BT-CCD for VIS Spectroscopy Comparison of SONY ILX511B CCD and Hamamatsu S10420 BT-CCD for VIS Spectroscopy Technical Note Thomas Rasmussen VP Business Development, Sales, and Marketing Publication Version: March 16 th, 2013-1 -

More information

FPA (Focal Plane Array) Characterization set up (CamIRa) Standard Operating Procedure

FPA (Focal Plane Array) Characterization set up (CamIRa) Standard Operating Procedure FPA (Focal Plane Array) Characterization set up (CamIRa) Standard Operating Procedure FACULTY IN-CHARGE Prof. Subhananda Chakrabarti (IITB) SYSTEM OWNER Hemant Ghadi (ghadihemant16@gmail.com) 05 July 2013

More information

Removing the Pattern Noise from all STIS Side-2 CCD data

Removing the Pattern Noise from all STIS Side-2 CCD data The 2010 STScI Calibration Workshop Space Telescope Science Institute, 2010 Susana Deustua and Cristina Oliveira, eds. Removing the Pattern Noise from all STIS Side-2 CCD data Rolf A. Jansen, Rogier Windhorst,

More information

Results of the June 2000 NICMOS+NCS EMI Test

Results of the June 2000 NICMOS+NCS EMI Test Results of the June 2 NICMOS+NCS EMI Test S. T. Holfeltz & Torsten Böker September 28, 2 ABSTRACT We summarize the findings of the NICMOS+NCS EMI Tests conducted at Goddard Space Flight Center in June

More information

Cycle-7 MAMA Pulse height distribution stability: Fold Analysis Measurement

Cycle-7 MAMA Pulse height distribution stability: Fold Analysis Measurement STIS Instrument Science Report, STIS 98-02R Cycle-7 MAMA Pulse height distribution stability: Fold Analysis Measurement Harry Ferguson, Mark Clampin and Vic Argabright October 26, 1998 ABSTRACT We describe

More information

StaMPS Persistent Scatterer Exercise

StaMPS Persistent Scatterer Exercise StaMPS Persistent Scatterer Exercise ESA Land Training Course, Bucharest, 14-18 th September, 2015 Andy Hooper, University of Leeds a.hooper@leeds.ac.uk This exercise consists of working through an example

More information

Analysis. mapans MAP ANalysis Single; map viewer, opens and modifies a map file saved by iman.

Analysis. mapans MAP ANalysis Single; map viewer, opens and modifies a map file saved by iman. Analysis Analysis routines (run on LINUX): iman IMage ANalysis; makes maps out of raw data files saved be the acquisition program (ContImage), can make movies, pictures of green, compresses and decompresses

More information

Readout techniques for drift and low frequency noise rejection in infrared arrays

Readout techniques for drift and low frequency noise rejection in infrared arrays Readout techniques for drift and low frequency noise rejection in infrared arrays European Southern Observatory Finger, G., Dorn, R.J, Hoffman, A.W., Mehrgan, H., Meyer, M., Moorwood, A.F.M., Stegmeier,

More information

BitWise (V2.1 and later) includes features for determining AP240 settings and measuring the Single Ion Area.

BitWise (V2.1 and later) includes features for determining AP240 settings and measuring the Single Ion Area. BitWise. Instructions for New Features in ToF-AMS DAQ V2.1 Prepared by Joel Kimmel University of Colorado at Boulder & Aerodyne Research Inc. Last Revised 15-Jun-07 BitWise (V2.1 and later) includes features

More information

StaMPS Persistent Scatterer Practical

StaMPS Persistent Scatterer Practical StaMPS Persistent Scatterer Practical ESA Land Training Course, Leicester, 10-14 th September, 2018 Andy Hooper, University of Leeds a.hooper@leeds.ac.uk This practical exercise consists of working through

More information

Introduction. Edge Enhancement (SEE( Advantages of Scalable SEE) Lijun Yin. Scalable Enhancement and Optimization. Case Study:

Introduction. Edge Enhancement (SEE( Advantages of Scalable SEE) Lijun Yin. Scalable Enhancement and Optimization. Case Study: Case Study: Scalable Edge Enhancement Introduction Edge enhancement is a post processing for displaying radiologic images on the monitor to achieve as good visual quality as the film printing does. Edges

More information

Standard Operating Procedure of nanoir2-s

Standard Operating Procedure of nanoir2-s Standard Operating Procedure of nanoir2-s The Anasys nanoir2 system is the AFM-based nanoscale infrared (IR) spectrometer, which has a patented technique based on photothermal induced resonance (PTIR),

More information

111 Highland Drive Putnam, CT USA PHONE (860) FAX (860) SM32Pro SDK

111 Highland Drive Putnam, CT USA PHONE (860) FAX (860) SM32Pro SDK SM32Pro SDK Spectrometer Operating -Software Development Kit- USER MANUAL For USB 2.0 Multi-channel User Only Table of Contents Warranty and Liability...3 Location of the SDK source code for USB 2.0...4

More information

PulseCounter Neutron & Gamma Spectrometry Software Manual

PulseCounter Neutron & Gamma Spectrometry Software Manual PulseCounter Neutron & Gamma Spectrometry Software Manual MAXIMUS ENERGY CORPORATION Written by Dr. Max I. Fomitchev-Zamilov Web: maximus.energy TABLE OF CONTENTS 0. GENERAL INFORMATION 1. DEFAULT SCREEN

More information

SEM- EDS Instruction Manual

SEM- EDS Instruction Manual SEM- EDS Instruction Manual Double-click on the Spirit icon ( ) on the desktop to start the software program. I. X-ray Functions Access the basic X-ray acquisition, display and analysis functions through

More information

AWAIC: A WISE Astronomical Image Co-adder (and HiRes er!)

AWAIC: A WISE Astronomical Image Co-adder (and HiRes er!) AWAIC: A WISE Astronomical Image Co-adder (and HiRes er!) Frank Masci IPAC/Caltech 1 What s (Who s) AWAIC? A generic image co-addition and/or resolution enhancement (HiRes) tool Can now install on your

More information

Noise. CHEM 411L Instrumental Analysis Laboratory Revision 2.0

Noise. CHEM 411L Instrumental Analysis Laboratory Revision 2.0 CHEM 411L Instrumental Analysis Laboratory Revision 2.0 Noise In this laboratory exercise we will determine the Signal-to-Noise (S/N) ratio for an IR spectrum of Air using a Thermo Nicolet Avatar 360 Fourier

More information

Stark Spectroscopy Deanna s Experimental Procedure NWU Hupp Lab Fall 2003

Stark Spectroscopy Deanna s Experimental Procedure NWU Hupp Lab Fall 2003 Stark Spectroscopy Deanna s Experimental Procedure NWU Hupp Lab Fall 2003 1. Generate mixed-valent state of compound check in 1mm cell. Ideally want Abs 1. 2. Setting up the instrument New Dewar i) Approx.

More information

Analysis of WFS Measurements from first half of 2004

Analysis of WFS Measurements from first half of 2004 Analysis of WFS Measurements from first half of 24 (Report4) Graham Cox August 19, 24 1 Abstract Described in this report is the results of wavefront sensor measurements taken during the first seven months

More information

Bias, Auto-Bias And getting the most from Your Trifid Camera.

Bias, Auto-Bias And getting the most from Your Trifid Camera. Bias, Auto-Bias And getting the most from Your Trifid Camera. The imaging chip of the Trifid Camera is read out, one well at a time, by a 16-bit Analog to Digital Converter (ADC). Because it has 16-bits

More information

PHOTON -COUNTING RETICONTM DETECTOR. Marc Davis and David W. Latham Harvard -Smithsonian Center for Astrophysics Cambridge, Massachusetts 02138

PHOTON -COUNTING RETICONTM DETECTOR. Marc Davis and David W. Latham Harvard -Smithsonian Center for Astrophysics Cambridge, Massachusetts 02138 PHOTON -COUNTING RETICONTM DETECTOR PHOTON-COUNTING RETICON DETECTOR Marc Davis and David W. Latham Harvard -Smithsonian Center for Astrophysics Cambridge, Massachusetts 02138 Marc Davis and David W. Latham

More information

Reduction of Device Damage During Dry Etching of Advanced MMIC Devices Using Optical Emission Spectroscopy

Reduction of Device Damage During Dry Etching of Advanced MMIC Devices Using Optical Emission Spectroscopy Reduction of Device Damage During Dry Etching of Advanced MMIC Devices Using Optical Emission Spectroscopy D. Johnson, R. Westerman, M. DeVre, Y. Lee, J. Sasserath Unaxis USA, Inc. 10050 16 th Street North

More information

Uncooled amorphous silicon ¼ VGA IRFPA with 25 µm pixel-pitch for High End applications

Uncooled amorphous silicon ¼ VGA IRFPA with 25 µm pixel-pitch for High End applications Uncooled amorphous silicon ¼ VGA IRFPA with 25 µm pixel-pitch for High End applications A. Crastes, J.L. Tissot, M. Vilain, O. Legras, S. Tinnes, C. Minassian, P. Robert, B. Fieque ULIS - BP27-38113 Veurey

More information

Selected Problems of Display and Projection Color Measurement

Selected Problems of Display and Projection Color Measurement Application Note 27 JETI Technische Instrumente GmbH Tatzendpromenade 2 D - 07745 Jena Germany Tel. : +49 3641 225 680 Fax : +49 3641 225 681 e-mail : sales@jeti.com Internet : www.jeti.com Selected Problems

More information

CHARA Technical Report

CHARA Technical Report CHARA Technical Report No. 97 October 2012 The CLASSIC/CLIMB Data Reduction: The Software Theo ten Brummelaar ABSTRACT: This is one of two technical reports that describe the methods used to extract closure

More information

Financial disclosure statement. Fluoroscopic Equipment Design: What s s Different with Flat Panel? Concept of flat panel imager

Financial disclosure statement. Fluoroscopic Equipment Design: What s s Different with Flat Panel? Concept of flat panel imager Fluoroscopic Equipment Design: What s s Different with Flat Panel? John Rowlands Financial disclosure statement Research supported by Anrad Corp Anrad Corp is a manufacturers of selenium based flat panel

More information

CCD220 Back Illuminated L3Vision Sensor Electron Multiplying Adaptive Optics CCD

CCD220 Back Illuminated L3Vision Sensor Electron Multiplying Adaptive Optics CCD CCD220 Back Illuminated L3Vision Sensor Electron Multiplying Adaptive Optics CCD FEATURES 240 x 240 pixel image area 24 µm square pixels Split frame transfer 100% fill factor Back-illuminated for high

More information

QSched v0.96 Spring 2018) User Guide Pg 1 of 6

QSched v0.96 Spring 2018) User Guide Pg 1 of 6 QSched v0.96 Spring 2018) User Guide Pg 1 of 6 QSched v0.96 D. Levi Craft; Virgina G. Rovnyak; D. Rovnyak Overview Cite Installation Disclaimer Disclaimer QSched generates 1D NUS or 2D NUS schedules using

More information

WE MUST BE MAD Pushing FIERA to its Limits

WE MUST BE MAD Pushing FIERA to its Limits WE MUST BE MAD Pushing FIERA to its Limits Roland Reiss, Andrea Balestra, Claudio Cumani, Christoph Geimer, Javier Reyes, Enrico Marchetti, Joana Santos European Southern Observatory, Karl-Schwarzschild-Str.

More information

PrepSKA WP2 Meeting Software and Computing. Duncan Hall 2011-October-19

PrepSKA WP2 Meeting Software and Computing. Duncan Hall 2011-October-19 PrepSKA WP2 Meeting Software and Computing Duncan Hall 2011-October-19 Imaging context 1 of 2: 2 Imaging context 2 of 2: 3 Agenda: - Progress since 2010 October - CoDR approach and expectations - Presentation

More information

Noise Detector ND-1 Operating Manual

Noise Detector ND-1 Operating Manual Noise Detector ND-1 Operating Manual SPECTRADYNAMICS, INC 1849 Cherry St. Unit 2 Louisville, CO 80027 Phone: (303) 665-1852 Fax: (303) 604-6088 Table of Contents ND-1 Description...... 3 Safety and Preparation

More information

PACS. Dark Current of Ge:Ga detectors from FM-ILT. J. Schreiber 1, U. Klaas 1, H. Dannerbauer 1, M. Nielbock 1, J. Bouwman 1.

PACS. Dark Current of Ge:Ga detectors from FM-ILT. J. Schreiber 1, U. Klaas 1, H. Dannerbauer 1, M. Nielbock 1, J. Bouwman 1. PACS Test Analysis Report FM-ILT Page 1 Dark Current of Ge:Ga detectors from FM-ILT J. Schreiber 1, U. Klaas 1, H. Dannerbauer 1, M. Nielbock 1, J. Bouwman 1 1 Max-Planck-Institut für Astronomie, Königstuhl

More information

Instrument Status Review. GSC Meeting October 2009

Instrument Status Review. GSC Meeting October 2009 Instrument Status Review GSC Meeting October 2009 1 Quick Status NICI Campaign and Open Science going well Efficiency enhancements considered for 2 nd quarter 2010 Flamingos 2 Now undergoing on-site Acceptance

More information

Import and quantification of a micro titer plate image

Import and quantification of a micro titer plate image BioNumerics Tutorial: Import and quantification of a micro titer plate image 1 Aims BioNumerics can import character type data from TIFF images. This happens by quantification of the color intensity and/or

More information

CCD 143A 2048-Element High Speed Linear Image Sensor

CCD 143A 2048-Element High Speed Linear Image Sensor A CCD 143A 2048-Element High Speed Linear Image Sensor FEATURES 2048 x 1 photosite array 13µm x 13µm photosites on 13µm pitch High speed = up to 20MHz data rates Enhanced spectral response Low dark signal

More information

End-to-end simulations of a near-infrared pyramid sensor on Keck II

End-to-end simulations of a near-infrared pyramid sensor on Keck II End-to-end simulations of a near-infrared pyramid sensor on Keck II C. Plantet a, G. Agapito a, C. Giordano a, S. Esposito a, P. Wizinowich b, and C. Bond c a INAF - Osservatorio di Arcetri, 50125 Firenze,

More information

CCD Element Linear Image Sensor CCD Element Line Scan Image Sensor

CCD Element Linear Image Sensor CCD Element Line Scan Image Sensor 1024-Element Linear Image Sensor CCD 134 1024-Element Line Scan Image Sensor FEATURES 1024 x 1 photosite array 13µm x 13µm photosites on 13µm pitch Anti-blooming and integration control Enhanced spectral

More information

Smart Lighting Activities

Smart Lighting Activities Smart Lighting Activities The following are hands-on activities to provide additional background for smart lighting. Using an LED as a Light Sensor The project Measuring Vegetation Health (http://mvh.sr.unh.edu/)

More information

Sample Analysis Design. Element2 - Basic Software Concepts (cont d)

Sample Analysis Design. Element2 - Basic Software Concepts (cont d) Sample Analysis Design Element2 - Basic Software Concepts (cont d) Samples per Peak In order to establish a minimum level of precision, the ion signal (peak) must be measured several times during the scan

More information

EDDY CURRENT IMAGE PROCESSING FOR CRACK SIZE CHARACTERIZATION

EDDY CURRENT IMAGE PROCESSING FOR CRACK SIZE CHARACTERIZATION EDDY CURRENT MAGE PROCESSNG FOR CRACK SZE CHARACTERZATON R.O. McCary General Electric Co., Corporate Research and Development P. 0. Box 8 Schenectady, N. Y. 12309 NTRODUCTON Estimation of crack length

More information

Real-Time PCR System TC

Real-Time PCR System TC Detecting amplifier Real-Time PCR System TC 9443-007 - 46482062-2004 TECHNICAL PASSPORT ЛТОК 170604.00 DNA-Technology research-and-production close corporation Moscow, 2004 Contents 1. General information...

More information

Internal monitoring of ACS charge transfer efficiency

Internal monitoring of ACS charge transfer efficiency Internal monitoring of ACS charge transfer efficiency Max Mutchler and Marco Sirianni April 6, 2005 ABSTRACT We present the results of over two years of inflight charge transfer efficiency (CTE) monitoring

More information

PS User Guide Series Seismic-Data Display

PS User Guide Series Seismic-Data Display PS User Guide Series 2015 Seismic-Data Display Prepared By Choon B. Park, Ph.D. January 2015 Table of Contents Page 1. File 2 2. Data 2 2.1 Resample 3 3. Edit 4 3.1 Export Data 4 3.2 Cut/Append Records

More information

Processing data with Mestrelab Mnova

Processing data with Mestrelab Mnova Processing data with Mestrelab Mnova This exercise has three parts: a 1D 1 H spectrum to baseline correct, integrate, peak-pick, and plot; a 2D spectrum to plot with a 1 H spectrum as a projection; and

More information

RF Record & Playback MATTHIAS CHARRIOT APPLICATION ENGINEER

RF Record & Playback MATTHIAS CHARRIOT APPLICATION ENGINEER RF Record & Playback MATTHIAS CHARRIOT APPLICATION ENGINEER Introduction Recording RF Signals WHAT DO WE USE TO RECORD THE RF? Where do we start? Swept spectrum analyzer Real-time spectrum analyzer Oscilloscope

More information

WFC3 TV2 Testing: Calibration Subsystem Performance

WFC3 TV2 Testing: Calibration Subsystem Performance WFC3 TV2 Testing: Calibration Subsystem Performance S.Baggett January 11, 2008 ABSTRACT This report summarizes the behavior of the WFC3 calsystem, based upon data acquired during thermal-vacuum level tests

More information

Scalable self-aligned active matrix IGZO TFT backplane technology and its use in flexible semi-transparent image sensors. Albert van Breemen

Scalable self-aligned active matrix IGZO TFT backplane technology and its use in flexible semi-transparent image sensors. Albert van Breemen Scalable self-aligned active matrix IGZO TFT backplane technology and its use in flexible semi-transparent image sensors Albert van Breemen Image sensors today 1 Dominated by silicon based technology on

More information

User Manual OVP Raman

User Manual OVP Raman Version 6 User Manual OVP Raman 2006 BRUKER OPTIK GmbH, Rudolf-Plank-Straße 27, D-76275 Ettlingen, www.brukeroptics.com All rights reserved. No part of this manual may be reproduced or transmitted in any

More information

CHECKPOINT 2.5 FOUR PORT ARBITER AND USER INTERFACE

CHECKPOINT 2.5 FOUR PORT ARBITER AND USER INTERFACE 1.0 MOTIVATION UNIVERSITY OF CALIFORNIA AT BERKELEY COLLEGE OF ENGINEERING DEPARTMENT OF ELECTRICAL ENGINEERING AND COMPUTER SCIENCE CHECKPOINT 2.5 FOUR PORT ARBITER AND USER INTERFACE Please note that

More information

3-D position sensitive CdZnTe gamma-ray spectrometers

3-D position sensitive CdZnTe gamma-ray spectrometers Nuclear Instruments and Methods in Physics Research A 422 (1999) 173 178 3-D position sensitive CdZnTe gamma-ray spectrometers Z. He *, W.Li, G.F. Knoll, D.K. Wehe, J. Berry, C.M. Stahle Department of

More information

Maintenance/ Discontinued

Maintenance/ Discontinued CCD Area Image Sensor MN3FT.5mm (type-/) 0k pixels CCD Area Image Sensor Overview The MN3FT is a.5 mm (type-/) interline transfer CCD (IT-CCD) solid state image sensor device with a total of 3,0 pixels.

More information

CAEN Tools for Discovery

CAEN Tools for Discovery Viareggio March 28, 2011 Introduction: what is the SiPM? The Silicon PhotoMultiplier (SiPM) consists of a high density (up to ~10 3 /mm 2 ) matrix of diodes connected in parallel on a common Si substrate.

More information

NENS 230 Assignment #2 Data Import, Manipulation, and Basic Plotting

NENS 230 Assignment #2 Data Import, Manipulation, and Basic Plotting NENS 230 Assignment #2 Data Import, Manipulation, and Basic Plotting Compound Action Potential Due: Tuesday, October 6th, 2015 Goals Become comfortable reading data into Matlab from several common formats

More information

specification hyperion colorimeter

specification hyperion colorimeter specification hyperion colorimeter Contents Hyperion... 3 2 Highlights... 3 3 General specifications... 4 4 Typical spectral sensitivity... 4 0mm measurement specifications... 6 Actual measurement data...

More information

specification MSE series MSE and MSE+ colorimeter

specification MSE series MSE and MSE+ colorimeter specification MSE series colorimeter MSE and MSE+ Contents 1 MSE series: high speed and accurate colorimeter for display measurements... 3 2 Highlights... 3 3 MSE general specifications... 4 4 Typical

More information

Measurement of Microdisplays at NPL

Measurement of Microdisplays at NPL Conference on Microdisplays Measurement of Microdisplays at NPL Christine Wall, Dr Julie Taylor, Colin Campbell 14 th Sept 2001 Overview Displays measurement at NPL Why measure microdisplays? Measurement

More information

MestReNova A quick Guide. Adjust signal intensity Use scroll wheel. Zoomen Z

MestReNova A quick Guide. Adjust signal intensity Use scroll wheel. Zoomen Z MestReNova A quick Guide page 1 MNova is a program to analyze 1D- and 2D NMR data. Start of MNova Start All Programs Chemie NMR MNova The MNova Menu 1. 2. Create expanded regions Adjust signal intensity

More information

specification hyperion colorimeter

specification hyperion colorimeter specification hyperion colorimeter Contents Hyperion... 3 2 Highlights... 3 3 General specifications... 4 4 Typical spectral sensitivity... 4 0mm measurement specifications... 6 0mm improved measurement

More information

Automatic Defect Recognition in Industrial Applications

Automatic Defect Recognition in Industrial Applications Automatic Defect Recognition in Industrial Applications Klaus Bavendiek, Frank Herold, Uwe Heike YXLON International, Hamburg, Germany INDE 2007 YXLON. The reason why 1 Different Fields for Usage of ADR

More information

1 Bias-parity errors. MEMORANDUM November 14, Description. 1.2 Input

1 Bias-parity errors. MEMORANDUM November 14, Description. 1.2 Input MIT Kavli Institute Chandra X-Ray Center MEMORANDUM November 14, 2013 To: Jonathan McDowell, SDS Group Leader From: Glenn E. Allen, SDS Subject: Bias-parity error spec Revision: 1.3 URL: http://space.mit.edu/cxc/docs/docs.html#berr

More information

1 Lost Communication with the Camera

1 Lost Communication with the Camera Trouble Shooting Agile from the Observing Specialist s Point of View This document describes relatively simple things to do or check if Agile becomes inoperable, or if you face software problems. If Agile

More information

Analyzing and Saving a Signal

Analyzing and Saving a Signal Analyzing and Saving a Signal Approximate Time You can complete this exercise in approximately 45 minutes. Background LabVIEW includes a set of Express VIs that help you analyze signals. This chapter teaches

More information

TIL311 HEXADECIMAL DISPLAY WITH LOGIC

TIL311 HEXADECIMAL DISPLAY WITH LOGIC TIL311 Internal TTL MSI IC with Latch, Decoder, and Driver 0.300-Inch (7,62-mm) Character Height Wide Viewing Angle High Brightness Left-and-Right-Hand Decimals Constant-Current Drive for Hexadecimal Characters

More information

FPGA implementation of a DCDS processor Simon Tulloch European Southern Observatory, Karl Schwarzschild Strasse 2, Garching, 85748, Germany.

FPGA implementation of a DCDS processor Simon Tulloch European Southern Observatory, Karl Schwarzschild Strasse 2, Garching, 85748, Germany. FPGA implementation of a DCDS processor Simon Tulloch European Southern Observatory, Karl Schwarzschild Strasse 2, Garching, 85748, Germany. Abstract. An experimental digital correlated double sampler

More information

QCTool. PetRos EiKon Incorporated

QCTool. PetRos EiKon Incorporated 2006 QCTool : Windows 98 Windows NT, Windows 2000 or Windows XP (Home or Professional) : Windows 95 (Terms)... 1 (Importing Data)... 2 (ASCII Columnar Format)... 2... 3... 3 XYZ (Binary XYZ Format)...

More information

Heart Rate Variability Preparing Data for Analysis Using AcqKnowledge

Heart Rate Variability Preparing Data for Analysis Using AcqKnowledge APPLICATION NOTE 42 Aero Camino, Goleta, CA 93117 Tel (805) 685-0066 Fax (805) 685-0067 info@biopac.com www.biopac.com 01.06.2016 Application Note 233 Heart Rate Variability Preparing Data for Analysis

More information

Progress Update FDC Prototype Test Stand Development Upcoming Work

Progress Update FDC Prototype Test Stand Development Upcoming Work Progress Update FDC Prototype Test Stand Development Upcoming Work Progress Update OU GlueX postdoc position filled. Simon Taylor joins our group July 1, 2004 Position funded jointly by Ohio University

More information

Data Sheet. ASMT-UWB1-NX302 OneWhite Surface Mount PLCC-2 LED Indicator. Description. Features. Applications

Data Sheet. ASMT-UWB1-NX302 OneWhite Surface Mount PLCC-2 LED Indicator. Description. Features. Applications ASMT-UWB1-NX32 OneWhite Surface Mount PLCC-2 LED Indicator Data Sheet Description This family of SMT LEDs is packaged in the industry standard PLCC-2 package. These SMT LEDs have high reliability performance

More information

DATA! NOW WHAT? Preparing your ERP data for analysis

DATA! NOW WHAT? Preparing your ERP data for analysis DATA! NOW WHAT? Preparing your ERP data for analysis Dennis L. Molfese, Ph.D. Caitlin M. Hudac, B.A. Developmental Brain Lab University of Nebraska-Lincoln 1 Agenda Pre-processing Preparing for analysis

More information

1 Cable Connections. Trouble Shooting Agile from the Observing Specialist s Point of View

1 Cable Connections. Trouble Shooting Agile from the Observing Specialist s Point of View Trouble Shooting Agile from the Observing Specialist s Point of View This document describes relatively simple things to do or check if Agile becomes inoperable, or if you face software problems. If Agile

More information

IMAGING GROUP. * With dual port readout at 16MHz/port Detector shown with a C-mount nose and lens, sold separately

IMAGING GROUP. * With dual port readout at 16MHz/port Detector shown with a C-mount nose and lens, sold separately The from Princeton Instruments is the ultimate scientific, intensified CCD camera (ICCD) system, featuring a 1k x 1k interline CCD fiberoptically coupled to Gen III filmless intensifiers. These intensifiers

More information

The hybrid photon detectors for the LHCb-RICH counters

The hybrid photon detectors for the LHCb-RICH counters 7 th International Conference on Advanced Technology and Particle Physics The hybrid photon detectors for the LHCb-RICH counters Maria Girone, CERN and Imperial College on behalf of the LHCb-RICH group

More information

Artisan Technology Group is your source for quality new and certified-used/pre-owned equipment

Artisan Technology Group is your source for quality new and certified-used/pre-owned equipment Artisan Technology Group is your source for quality new and certified-used/pre-owned equipment FAST SHIPPING AND DELIVERY TENS OF THOUSANDS OF IN-STOCK ITEMS EQUIPMENT DEMOS HUNDREDS OF MANUFACTURERS SUPPORTED

More information

013-RD

013-RD Engineering Note Topic: Product Affected: JAZ-PX Lamp Module Jaz Date Issued: 08/27/2010 Description The Jaz PX lamp is a pulsed, short arc xenon lamp for UV-VIS applications such as absorbance, bioreflectance,

More information

TOSHIBA CCD LINEAR IMAGE SENSOR CCD(Charge Coupled Device) TCD132D

TOSHIBA CCD LINEAR IMAGE SENSOR CCD(Charge Coupled Device) TCD132D TOSHIBA CCD LINEAR IMAGE SENSOR CCD(Charge Coupled Device) TCD132D The TCD132D is a 1024 elements linear image sensor which includes CCD drive circuit and signal processing circuit. The CCD drive circuit

More information

Precision DeEsser Users Guide

Precision DeEsser Users Guide Precision DeEsser Users Guide Metric Halo $Revision: 1670 $ Publication date $Date: 2012-05-01 13:50:00-0400 (Tue, 01 May 2012) $ Copyright 2012 Metric Halo. MH Production Bundle, ChannelStrip 3, Character,

More information

First evaluation of the prototype 19-modules camera for the Large Size Telescope of the CTA

First evaluation of the prototype 19-modules camera for the Large Size Telescope of the CTA First evaluation of the prototype 19-modules camera for the Large Size Telescope of the CTA Tsutomu Nagayoshi for the CTA-Japan Consortium Saitama Univ, Max-Planck-Institute for Physics 1 Cherenkov Telescope

More information

MAutoPitch. Presets button. Left arrow button. Right arrow button. Randomize button. Save button. Panic button. Settings button

MAutoPitch. Presets button. Left arrow button. Right arrow button. Randomize button. Save button. Panic button. Settings button MAutoPitch Presets button Presets button shows a window with all available presets. A preset can be loaded from the preset window by double-clicking on it, using the arrow buttons or by using a combination

More information

Agilent Feature Extraction Software (v10.7)

Agilent Feature Extraction Software (v10.7) Agilent Feature Extraction Software (v10.7) Reference Guide For Research Use Only. Not for use in diagnostic procedures. Agilent Technologies Notices Agilent Technologies, Inc. 2009, 2015 No part of this

More information

Cree XLamp 4550 LEDs BENEFITS

Cree XLamp 4550 LEDs BENEFITS Cree XLamp 455 LEDs Cree XLamp 455 LEDs bring the power of brightness to a wide range of lighting and backlighting applications including portable lighting, computer and television screens, signaling,

More information

White Noise Suppression in the Time Domain Part II

White Noise Suppression in the Time Domain Part II White Noise Suppression in the Time Domain Part II Patrick Butler, GEDCO, Calgary, Alberta, Canada pbutler@gedco.com Summary In Part I an algorithm for removing white noise from seismic data using principal

More information

Luckylight. 1.9mm (0.8") 8 8 Pure Green Dot Matrix LED Displays Technical Data Sheet. Model No.: KWM-20882XPGB

Luckylight. 1.9mm (0.8) 8 8 Pure Green Dot Matrix LED Displays Technical Data Sheet. Model No.: KWM-20882XPGB .9mm (.8") 8 8 Pure Green Dot Matrix LED Displays Technical Data Sheet Model No.: KWM-88XPGB Spec No: W788C/D Rev No: V. Date: Sep//6 Page: OF 6 Features:.8inch (.mm) Matrix height. Colors: Pure Green.

More information

Reading a GEM with a VLSI pixel ASIC used as a direct charge collecting anode. R.Bellazzini - INFN Pisa. Vienna February

Reading a GEM with a VLSI pixel ASIC used as a direct charge collecting anode. R.Bellazzini - INFN Pisa. Vienna February Reading a GEM with a VLSI pixel ASIC used as a direct charge collecting anode Ronaldo Bellazzini INFN Pisa Vienna February 16-21 2004 The GEM amplifier The most interesting feature of the Gas Electron

More information

Beam test of the QMB6 calibration board and HBU0 prototype

Beam test of the QMB6 calibration board and HBU0 prototype Beam test of the QMB6 calibration board and HBU0 prototype J. Cvach 1, J. Kvasnička 1,2, I. Polák 1, J. Zálešák 1 May 23, 2011 Abstract We report about the performance of the HBU0 board and the optical

More information

Selection Criteria for X-ray Inspection Systems for BGA and CSP Solder Joint Analysis

Selection Criteria for X-ray Inspection Systems for BGA and CSP Solder Joint Analysis Presented at Nepcon Shanghai 2003 Abstract Selection Criteria for X-ray Inspection Systems for BGA and CSP Solder Joint Analysis Dr. David Bernard, Dage Precision Industries, 158-29 Hua Shan Road, Feng

More information

2. ctifile,s,h, CALDB,,, ACIS CTI ARD file (NONE none CALDB <filename>)

2. ctifile,s,h, CALDB,,, ACIS CTI ARD file (NONE none CALDB <filename>) MIT Kavli Institute Chandra X-Ray Center MEMORANDUM December 13, 2005 To: Jonathan McDowell, SDS Group Leader From: Glenn E. Allen, SDS Subject: Adjusting ACIS Event Data to Compensate for CTI Revision:

More information

1.2 Universiti Teknologi Brunei (UTB) reserves the right to award the tender in part or in full.

1.2 Universiti Teknologi Brunei (UTB) reserves the right to award the tender in part or in full. TENDER SPECIFICATIONS FOR THE SUPPLY, DELIVERY, INSTALLATION AND COMMISSIONING OF ONE UNIT OF VARIABLE PRESSURE ENVIRONMENTAL SCANNING ELECTRON MICROSCOPE (SEM) CUM ENERGY DISPERSIVE SPECTROSCOPY (EDS)

More information

Maintenance/ Discontinued

Maintenance/ Discontinued 6.0mm (type-1/3) 768H s Overview The MN3718FT and MN3718AT are 6.0mm (type-1/3) interline transfer CCD (IT-CCD) solid state image sensor devices. This device uses photodiodes in the optoelectric conversion

More information

High ResolutionCross Strip Anodes for Photon Counting detectors

High ResolutionCross Strip Anodes for Photon Counting detectors High ResolutionCross Strip Anodes for Photon Counting detectors Oswald H.W. Siegmund, Anton S. Tremsin, Robert Abiad, J. Hull and John V. Vallerga Space Sciences Laboratory University of California Berkeley,

More information

Fiber-coupled light sources

Fiber-coupled light sources Optogenetics catalog 7.4 - Fiber-coupled light sources 9 Fiber-coupled light sources The fiber optic circuits are driven by light and hence the need to couple the light sources into the optical fiber.

More information

Log-detector. Sweeper setup using oscilloscope as XY display

Log-detector. Sweeper setup using oscilloscope as XY display 2002/9/4 Version 1.2 XYdisp user manual. 1. Introduction. The XYdisp program is a tool for using an old DOS PC or laptop as XY display to show response curves measured by a sweeper log-detector combination.

More information

Atlas Pixel Replacement/Upgrade. Measurements on 3D sensors

Atlas Pixel Replacement/Upgrade. Measurements on 3D sensors Atlas Pixel Replacement/Upgrade and Measurements on 3D sensors Forskerskole 2007 by E. Bolle erlend.bolle@fys.uio.no Outline Sensors for Atlas pixel b-layer replacement/upgrade UiO activities CERN 3D test

More information

A Matlab toolbox for. Characterisation Of Recorded Underwater Sound (CHORUS) USER S GUIDE

A Matlab toolbox for. Characterisation Of Recorded Underwater Sound (CHORUS) USER S GUIDE Centre for Marine Science and Technology A Matlab toolbox for Characterisation Of Recorded Underwater Sound (CHORUS) USER S GUIDE Version 5.0b Prepared for: Centre for Marine Science and Technology Prepared

More information

Light Emitting Diodes

Light Emitting Diodes By Kenneth A. Kuhn Jan. 10, 2001, rev. Feb. 3, 2008 Introduction This brief introduction and discussion of light emitting diode characteristics is adapted from a variety of manufacturer data sheets and

More information