`_, and does not involve Astropy itself.
+Plotting is introduced in :ref:`plotting-and-images` and more details on
+plotting can be found there. When in doubt, use the search engine of your choice
+and ask the Internet. Here, I mainly want to illustrate that Astropy can be
+used in real-live data analysis.
+Thus, I do not explain every step in the plotting in detail.
+The plots we produce below appear in very
+similar form in Guenther et al. 2013 (ApJ, 771, 70).
+
+In both cases we want the x-axis to show the Doppler shift expressed in units
+of the rotational velocity. In this way, features that are rotationally
+modulated will stick out between -1 and +1::
+
+ x = w2vsini(wcaII, 393.366 * u.nm).decompose()
+
+First, we will show the line profile::
+
+ import matplotlib.pyplot as plt
+ # set reasonable figsize for 1-column figures
+ fig = plt.figure(figsize = (4,3))
+ ax = fig.add_subplot(1,1,1)
+ ax.plot(x, fcaII[0,:])
+ ax.set_xlim([-3,+3])
+ ax.set_xlabel('line shift [v sin(i)]')
+ ax.set_ylabel('flux')
+ ax.set_title('Ca II H line in MN Lup')
+ # when using this interface, we need to explicitly call the draw routine
+ plt.draw()
+
+.. image:: CaII-lines-one.png
+ :scale: 100%
+ :align: center
+
+
+.. admonition:: Exercise
+
+ The plot above shows only a single spectrum. Plot all spectra into a single
+ plot and introduce a sensible offset between them, so that we can follow
+ the time evolution of the line.
+
+.. raw:: html
+
+ Click to Show/Hide Solution
+
+There are clearly several ways to produce a well looking plot. Here is one
+way::
+
+ yshift = np.arange((fcaII.shape[0])) * 0.5
+ #shift the second night up by a little more
+ yshift[:] += 1.5
+ yshift[13:] += 1
+
+ fig = plt.figure(figsize = (4,3))
+ ax = fig.add_subplot(1,1,1)
+
+ for i in range(25):
+ ax.plot(x, fcaII[i,:]+yshift[i], 'k')
+
+ #separately show the mean line profile in a different color
+ ax.plot(x, np.mean(fcaII, axis =0), 'b')
+ ax.set_xlim([-2.5,+2.5])
+ ax.set_xlabel('line shift [$v \\sin i$]')
+ ax.set_ylabel('flux')
+ ax.set_title('Ca II H line in MN Lup')
+ fig.subplots_adjust(bottom = 0.15)
+ plt.draw()
+
+.. image:: CaII-lines-all.png
+ :scale: 100%
+ :align: center
+
+.. raw:: html
+
+
+
+Next, we will make a more advanced plot. For each spectrum we calculate
+the difference to the mean flux::
+
+ fmean = np.mean(fcaII, axis=0)
+ fdiff = fcaII - fmean[np.newaxis,:]
+
+
+In the following simple plot, we can already see features moving through the line.
+However, the axis scales are not right, the gap between both nights is not visible
+and there is no proper labeling::
+
+ fig = plt.figure(figsize = (4,3))
+ ax = fig.add_subplot(1,1,1)
+ im = ax.imshow(fdiff, aspect = "auto", origin = 'lower')
+
+.. image:: CaII-1.png
+ :scale: 100%
+ :align: center
+
+
+In the following, we will plot the spectra from both nights separately.
+Also, we will pass the ``extent`` keyword to ``ax.imshow`` which takes care
+of the axis::
+
+ ind1 = delta_p < 1 * u.dimensionless_unscaled
+ ind2 = delta_p > 1 * u.dimensionless_unscaled
+
+ fig = plt.figure(figsize = (4,3))
+ ax = fig.add_subplot(1,1,1)
+
+ for ind in [ind1, ind2]:
+ im = ax.imshow(fdiff[ind,:], extent = (np.min(x), np.max(x), np.min(delta_p[ind]), np.max(delta_p[ind])), aspect = "auto", origin = 'lower')
+
+ ax.set_ylim([np.min(delta_p), np.max(delta_p)])
+ ax.set_xlim([-1.9,1.9])
+ plt.draw()
+
+.. image:: CaII-2.png
+ :scale: 100%
+ :align: center
+
+
+Now, this plot is already much better, but there are still some things that can be
+improved:
+
+* Introduce an offset on the y-axis to reduce the amount of white space.
+* Strictly speaking, the image shown is not quite the right scale because the
+ ``extent`` keyword gives the edges of the image shown, while ``x`` and
+ ``delta_p`` contain the bin mid-points.
+* Use a gray scale instead of color to save publication charges.
+* Add labels to the axis.
+
+The following code addresses these points::
+
+ # shift a little for plotting purposes
+ pplot = delta_p.copy().value
+ pplot[ind2] -= 1.5
+ # image goes from x1 to x2, but really x1 should be middle of first pixel
+ delta_t = np.median(np.diff(delta_p))/2.
+ delta_x = np.median(np.diff(x))/2.
+ # imshow does the normalization for plotting really well, but here I do it
+ # by hand to ensure it goes -1,+1 (that makes color bar look good)
+ fdiff = fdiff / np.max(np.abs(fdiff))
+
+ fig = plt.figure(figsize = (4,3))
+ ax = fig.add_subplot(1,1,1)
+
+ for ind in [ind1, ind2]:
+ im = ax.imshow(fdiff[ind,:],
+ extent = (np.min(x)-delta_x, np.max(x)+delta_x,
+ np.min(pplot[ind])-delta_t, np.max(pplot[ind])+delta_t),
+ aspect = "auto", origin = 'lower', cmap = plt.cm.Greys_r)
+
+ ax.set_ylim([np.min(pplot)-delta_t, np.max(pplot)+delta_t])
+ ax.set_xlim([-1.9,1.9])
+ ax.set_xlabel('vel in $v\\sin i$')
+ ax.xaxis.set_major_locator(plt.MaxNLocator(4))
+
+ def pplot(y, pos):
+ 'The two args are the value and tick position'
+ 'Function to make tick labels look good.'
+ if y < 0.5:
+ yreal = y
+ else:
+ yreal = y + 1.5
+ return yreal
+
+ formatter = plt.FuncFormatter(pplot)
+ ax.yaxis.set_major_formatter(formatter)
+ ax.set_ylabel('period')
+ fig.subplots_adjust(left = 0.15, bottom = 0.15, right = 0.99, top = 0.99)
+ plt.draw()
+
+.. image:: CaII-3.png
+ :scale: 100%
+ :align: center
+
+.. admonition:: Exercise
+
+ Understand the code for the last plot. Some of the commands used are
+ already pretty advanced stuff. Remember, any Internet search engine can be
+ your friend.
+
+.. raw:: html
+
+ Click to Show/Hide Solution
+
+Clearly, I did not develop this code for scratch.
+The `matplotlib gallery `_ is my
+preferred place to look for plotting solutions.
+
+.. raw:: html
+
+
+
+Contributing to Astropy
+-----------------------
+`Astropy `_ is an open-source and community-developed
+Python package, which means that is only as good as the contribution of the
+astronomical community. Clearly, there will always people who have more fun writing
+code and others who have more fun using it. However, if you find a bug and do not
+report it, then it is unlikely to be fixed. If you wish for a specific feature,
+then you can either implement it and contribute it or at least fill in a feature
+request.
+
+If you want to get help or discuss issues with other Astropy users, you can
+sign up for the `astropy mailing list
+`_.
+Alternatively, the `astropy-dev
+`_ list is where you should go to
+discuss more technical aspects of Astropy with the developers.
+
+If you have come across something that you believe is a bug, please open a
+ticket in the Astropy `issue tracker
+`_, and we will look into it
+promptly.
+
+Please try to include an example that demonstrates the issue and will allow the
+developers to reproduce and fix the problem. If you are seeing a crash
+then frequently it will help to include the full Python stack trace as well as
+information about your operating system (e.g. MacOSX version or Linux version).
+
+Here is a practical example.
+:ref:`Above ` we calculated the free-fall
+velocity onto MN Lup like this::
+
+ v_accr = (2.*G *M_MN_Lup / R_MN_Lup)**0.5
+
+Mathematically, the following statement is equivalent::
+
+ v_accr2 = np.sqrt((2.*G * M_MN_Lup/R_MN_Lup))
+
+However, this raises a warning and automatically converts the quantity object
+to an numpy array and the unit is lost. If you believe that is a bug that should
+be fixed, you might chose to report it in the `issue tracker
+`_.
+(But please check if somebody else has reported the same thing before, so we do
+not clutter the issue tracker needlessly.)
diff --git a/source/astropy-UVES/data/r.UVES.2011-08-11T232352.266-A01_0000.fits b/source/astropy-UVES/data/r.UVES.2011-08-11T232352.266-A01_0000.fits
new file mode 100644
index 0000000..618fc0c
--- /dev/null
+++ b/source/astropy-UVES/data/r.UVES.2011-08-11T232352.266-A01_0000.fits
@@ -0,0 +1,432 @@
+SIMPLE = T / file does conform to FITS standard BITPIX = -32 / number of bits per data pixel NAXIS = 1 / number of data axes NAXIS1 = 42751 / length of data axis 1 EXTEND = T / FITS dataset may contain extensions DATE = '2011-08-11T23:44:46' / file creation date (YYYY-MM-DDThh:mm:sCTYPE1 = 'WAVELENGTH [Ang]' / Auto Added Keyword BUNIT = 'ADU ' / Auto Added Keyword CRVAL1 = 3732.05623191818 / Auto Added Keyword CRPIX1 = 1. / Auto Added Keyword CDELT1 = 0.0296533834852385 / Auto Added Keyword ORIGIN = 'ESO ' / European Southern Observatory. TELESCOP= 'ESO-VLT-U2' / ESO Telescope Name INSTRUME= 'UVES ' / Instrument used. OBJECT = 'RED_SCI_POINT_BLUE' / Original target. RA = 230.876323 / 15:23:30.3 RA (J2000) pointing (deg) DEC = -38.35773 / -38:21:27.8 DEC (J2000) pointing (deg)EQUINOX = 2000. / Standard FK5 (years) RADECSYS= 'FK5 ' / Coordinate reference frame MJD-OBS = 55784.97491049 / MJD start (2011-08-11T23:23:52.266) DATE-OBS= '2011-08-11T23:23:52.266' / Date of observation UTC = 84223. / 23:23:43.000 UTC at start (sec) LST = 57744.3 / 16:02:24.300 LST at start (sec) PI-COI = 'UNKNOWN ' / PI-COI name. OBSERVER= 'UNKNOWN ' / Name of observer. DATAMD5 = 'e90a33a646b0fc7b58014da62834291b' / MD5 checksum PIPEFILE= 'red_science_blue.fits' / Filename of data product DATAMIN = 0.000000 / Minimum pixel value DATAMAX = 4729.290936 / Maximum pixel value EXPTIME = 1200.0013 / Total integration time BNOISE = 2.22931946633772 / Master bias RMS on frame CHECKSUM= '9HH4BH949HG4AH94' / ASCII 1's complement checksum HIERARCH ESO OBS DID = 'ESO-VLT-DIC.OBS-1.11' / OBS Dictionary HIERARCH ESO OBS EXECTIME = 0 / Expected execution time HIERARCH ESO OBS GRP = '0 ' / linked blocks HIERARCH ESO OBS ID = 200219190 / Observation block ID HIERARCH ESO OBS NAME = 'MN-Lup ' / OB name HIERARCH ESO OBS OBSERVER = 'UNKNOWN ' / Observer Name HIERARCH ESO OBS PI-COI ID = 7879 / ESO internal PI-COI ID HIERARCH ESO OBS PI-COI NAME = 'UNKNOWN ' / PI-COI name HIERARCH ESO OBS PROG ID = '087.C-0991(A)' / ESO program identification HIERARCH ESO OBS TARG NAME = 'MN-Lup ' / OB target name HIERARCH ESO OBS START = '2011-08-11T23:18:32' / OB start time HIERARCH ESO OBS TPLNO = 2 / Template number within OB HIERARCH ESO TPL DID = 'ESO-VLT-DIC.TPL-1.9' / Data dictionary for TPL HIERARCH ESO TPL ID = 'UVES_dic2_obs_exp' / Template signature ID HIERARCH ESO TPL NAME = 'Dic2 Observation' / Template name HIERARCH ESO TPL PRESEQ = 'UVES_dic_obs.seq' / Sequencer script HIERARCH ESO TPL START = '2011-08-11T23:23:32' / TPL start time HIERARCH ESO TPL VERSION = '@(#) $Revision: 2.55 $' / Version of the templatHIERARCH ESO TPL NEXP = 1 / Number of exposures within templatHIERARCH ESO TPL EXPNO = 1 / Exposure number within template HIERARCH ESO TEL DID = 'ESO-VLT-DIC.TCS' / Data dictionary for TEL HIERARCH ESO TEL ID = 'v 3.44+.1.4' / TCS version number HIERARCH ESO TEL DATE = '2000-01-01T00:00:00' / TCS installation date HIERARCH ESO TEL ALT = 74.033 / Alt angle at start (deg) HIERARCH ESO TEL AZ = 28.134 / Az angle at start (deg) S=0,W=90 HIERARCH ESO TEL GEOELEV = 2648. / Elevation above sea level (m) HIERARCH ESO TEL GEOLAT = -24.6272 / Tel geo latitute (+=North) (deg) HIERARCH ESO TEL GEOLON = -70.4048 / Tel geo longitude (+=East) (deg) HIERARCH ESO TEL OPER = 'I, Condor' / Telescope Operator HIERARCH ESO TEL FOCU ID = 'NB ' / Telescope focus station ID HIERARCH ESO TEL FOCU LEN = 120. / Focal length (m) HIERARCH ESO TEL FOCU SCALE = 1.718 / Focal scale (arcsec/mm) HIERARCH ESO TEL FOCU VALUE = -29.899 / M2 setting (mm) HIERARCH ESO TEL PARANG START= 33.169 / Parallactic angle at start (deg) HIERARCH ESO TEL AIRM START = 1.04 / Airmass at start HIERARCH ESO TEL AMBI FWHM START= 2.25 / Observatory Seeing queried from ASHIERARCH ESO TEL AMBI PRES START= 743.18 / Observatory ambient air pressure qHIERARCH ESO TEL AMBI WINDSP = 9.25 / Observatory ambient wind speed queHIERARCH ESO TEL AMBI WINDDIR= 152. / Observatory ambient wind directioHIERARCH ESO TEL AMBI RHUM = 8. / Observatory ambient relative humiHIERARCH ESO TEL AMBI TEMP = 12.93 / Observatory ambient temperature quHIERARCH ESO TEL MOON RA = 299.85979 / 19:59:26.3 RA (J2000) (deg) HIERARCH ESO TEL MOON DEC = -17.49229 / -17:29:32.2 DEC (J2000) (deg) HIERARCH ESO TEL TH M1 TEMP = 13.3 / M1 superficial temperature HIERARCH ESO TEL TRAK STATUS = 'NORMAL ' / Tracking status HIERARCH ESO TEL DOME STATUS = 'FULLY-OPEN' / Dome status HIERARCH ESO TEL CHOP ST = F / True when chopping is active HIERARCH ESO TEL TARG ALPHA = 152330.4 / Alpha coordinate for the target HIERARCH ESO TEL TARG DELTA = -382128.8 / Delta coordinate for the target HIERARCH ESO TEL TARG EPOCH = 2000. / Epoch HIERARCH ESO TEL TARG EPOCHSYSTEM= 'J ' / Epoch system (default J=Julian) HIERARCH ESO TEL TARG EQUINOX= 2000. / Equinox HIERARCH ESO TEL TARG PMA = 0. / Proper Motion Alpha HIERARCH ESO TEL TARG PMD = 0. / Proper motion Delta HIERARCH ESO TEL TARG RADVEL = 0. / Radial velocity HIERARCH ESO TEL TARG PARALLAX= 0. / Parallax HIERARCH ESO TEL TARG COORDTYPE= 'M ' / Coordinate type (M=mean A=apparen HIERARCH ESO TEL PARANG END = 46.172 / Parallactic angle at end (deg) HIERARCH ESO TEL AIRM END = 1.054 / Airmass at end HIERARCH ESO TEL AMBI FWHM END= 2.21 / Observatory Seeing queried from ASHIERARCH ESO TEL IA FWHM = 1.45 / Delivered seeing corrected by airmHIERARCH ESO TEL IA FWHMLIN = 1.51 / Delivered seeing on IA detector (lHIERARCH ESO TEL IA FWHMLINOBS= 1.56 / Delivered seeing on IA detector (lHIERARCH ESO TEL AMBI PRES END= 743.37 / Observatory ambient air pressure qHIERARCH ESO TEL AMBI TAU0 = 0.001364 / Average coherence time HIERARCH ESO ADA ABSROT START= 72.78894 / Abs rot angle at exp start (deg) HIERARCH ESO ADA POSANG = 0. / Position angle at start HIERARCH ESO ADA GUID STATUS = 'ON ' / Status of autoguider HIERARCH ESO ADA GUID RA = 230.949025 / 15:23:47.7 Guide star RA J2000 HIERARCH ESO ADA GUID DEC = -38.28817 / -38:17:17.4 Guide star DEC J2000 HIERARCH ESO ADA ABSROT PPOS = 'NEG ' / sign of probe position HIERARCH ESO ADA ABSROT END = 62.3075 / Abs rot angle at exp end (deg) HIERARCH ESO INS ID = 'UVES/$Revision: 3.34 $' / Instrument ID. HIERARCH ESO INS DID = 'ESO-VLT-DIC.UVES_ICS-1.9' / Data dictionary for HIERARCH ESO INS SWSIM = 'NORMAL ' / Software simulation. HIERARCH ESO INS PATH = 'BLUE ' / Optical path used. HIERARCH ESO INS ADC MODE = 'OFF ' / ADC mode. HIERARCH ESO INS DPOL MODE = 'OFF ' / Instrument depolarizer mode. HIERARCH ESO INS MODE = 'DICHR#2 ' / Instrument mode used. HIERARCH ESO INS SHUT1 ID = 'TSH ' / Shutter ID. HIERARCH ESO INS SHUT1 NAME = 'Tel_Shutter' / Shutter name. HIERARCH ESO INS SHUT1 ST = T / Shutter open. HIERARCH ESO INS MIRR1 ID = 'FREE ' / Mirror unique ID. HIERARCH ESO INS MIRR1 NAME = 'FREE ' / Mirror common name. HIERARCH ESO INS MIRR1 NO = 1 / Mirror slide position. HIERARCH ESO INS SHUT3 ID = 'TSH3 ' / Shutter ID. HIERARCH ESO INS SHUT3 NAME = 'D2L_Shutter' / Shutter name. HIERARCH ESO INS SHUT3 ST = F / Shutter open. HIERARCH ESO INS SHUT4 ID = 'TSH4 ' / Shutter ID. HIERARCH ESO INS SHUT4 NAME = 'ThAr_Shutter' / Shutter name. HIERARCH ESO INS SHUT4 ST = F / Shutter open. HIERARCH ESO INS SLIT2 WID = 0.9 / Slit width [arcsec]. HIERARCH ESO INS SLIT2 Y1FRML= 'ENC=OFFSET+RESOL*acos((WID-(MAX+MIN))/(MAX-MIN' HIERARCH ESO INS SLIT2 Y1OFFSET= 4742 / Left ref. position [Enc]. HIERARCH ESO INS SLIT2 Y1RESOL= 40. / Left encoder resolution [Enc/deg]HIERARCH ESO INS SLIT2 Y1WIDMAX= 5.5 / Left max. slit width value [arcsecHIERARCH ESO INS SLIT2 Y1WIDMIN= 0.072 / Left min. slit width value [arcsecHIERARCH ESO INS SLIT2 Y2FRML= 'ENC=OFFSET+RESOL*acos((WID-(MAX+MIN))/(MAX-MIN' HIERARCH ESO INS SLIT2 Y2OFFSET= 4540 / Right ref. position [Enc]. HIERARCH ESO INS SLIT2 Y2RESOL= 40. / Right encoder resolution [Enc/degHIERARCH ESO INS SLIT2 Y2WIDMAX= 5.535 / Right max. slit width value [arcseHIERARCH ESO INS SLIT2 Y2WIDMIN= 0.068 / Right min. slit width value [arcseHIERARCH ESO INS SLIT2 Y1ENC = 10718 / Slit Vertical top motor absolute eHIERARCH ESO INS SLIT2 Y2ENC = 10514 / Slit Vertical bottom motor absolutHIERARCH ESO INS LAMP7 SWSIM = T / If T, function is software simulatHIERARCH ESO INS SHUT2 ID = 'SPSH ' / Shutter ID. HIERARCH ESO INS SHUT2 NAME = 'Sphere_Shutter' / Shutter name. HIERARCH ESO INS SHUT2 ST = F / Shutter open. HIERARCH ESO INS SLIT2 LEN = 10. / Slit length [arcsec]. HIERARCH ESO INS SLIT2 X1FRML= 'ENC=OFFSET+RESOL*acos((LEN-(MAX+MIN))/(MAX-MIN' HIERARCH ESO INS SLIT2 X1OFFSET= 2401 / Left ref. position [Enc]. HIERARCH ESO INS SLIT2 X1RESOL= 40. / Left encoder resolution [Enc/deg]HIERARCH ESO INS SLIT2 X1LENMAX= 15.786 / Left max. slit length [arcsec]. HIERARCH ESO INS SLIT2 X1LENMIN= 0.064 / Left min. slit length [arcsec]. HIERARCH ESO INS SLIT2 X2FRML= 'ENC=OFFSET+RESOL*acos((LEN-(MAX+MIN))/(MAX-MIN' HIERARCH ESO INS SLIT2 X2OFFSET= 2328 / Right ref. position [Enc]. HIERARCH ESO INS SLIT2 X2RESOL= 40. / Right encoder resolution [Enc/degHIERARCH ESO INS SLIT2 X2LENMAX= 15.429 / Right max. slit length [arcsec]. HIERARCH ESO INS SLIT2 X2LENMIN= 0.066 / Right min. slit length [arcsec]. HIERARCH ESO INS SLIT2 X1ENC = 6875 / Slit Horizontal left motor absolutHIERARCH ESO INS SLIT2 X2ENC = 6766 / Slit Horizontal right motor absoluHIERARCH ESO INS OPTI1 ID = '1 ' / General Optical device unique ID. HIERARCH ESO INS OPTI1 NAME = 'OUT ' / General Optical device common nameHIERARCH ESO INS OPTI1 NO = 1 / Slot number. HIERARCH ESO INS OPTI1 TYPE = 'FREE ' / General Optical device Element. HIERARCH ESO INS FILT2 ID = 'BS6 ' / Filter unique id. HIERARCH ESO INS FILT2 NAME = 'HER_5 ' / Filter common name. HIERARCH ESO INS FILT2 NO = 6 / Filter wheel position index. HIERARCH ESO INS DET5 NAME = 'Blue_ExpMeter' / Exposure meter name. HIERARCH ESO INS DET5 CTMIN = 2. / Minimum count during exposure. HIERARCH ESO INS DET5 CTMAX = 32. / Maximum count during exposure. HIERARCH ESO INS DET5 CTTOT = 16182. / Total counts during exposure. HIERARCH ESO INS DET5 CTMEAN = 13.4 / Average counts during exposure. HIERARCH ESO INS DET5 CTRMS = 4.06 / RMS of counts during exposure. HIERARCH ESO INS DET5 TMMEAN = 0.5 / Normalised mean exposure time. HIERARCH ESO INS DET5 UIT = 1. / User defined Integration time [seHIERARCH ESO INS DET5 OFFDRK = 0. / Average dark background counts. HIERARCH ESO INS DET5 OFFSKY = 1. / Average sky background counts. HIERARCH ESO INS SHUT5 ID = 'BEXS ' / Shutter ID. HIERARCH ESO INS SHUT5 NAME = 'Blue_ExpMeterSh' / Shutter name. HIERARCH ESO INS SHUT5 ST = T / Shutter open. HIERARCH ESO INS SLIT1 NAME = 'FREE ' / Slit common name. HIERARCH ESO INS SLIT1 NO = 1 / Slide position. HIERARCH ESO INS SLIT1 WID = 0. / Slit width [arcsec]. HIERARCH ESO INS SLIT1 LEN = 0. / Slit length [arcsec]. HIERARCH ESO INS DROT MODE = 'ELEV ' / Instrument derotator mode. HIERARCH ESO INS DROT RA = 152330.317533 / ~~:~~:~~.~ RA (J2000) pointing [dHIERARCH ESO INS DROT DEC = -382127.824579 / -~~:~~:~~.~ DEC (J2000) pointingHIERARCH ESO INS DROT POSANG = 0. / Position angle [deg]. HIERARCH ESO INS DROT BEGIN = 143.0019 / Physical position at start [deg]. HIERARCH ESO INS DROT END = 144.286 / Physical position at end [deg]. HIERARCH ESO INS DPOS NAME = 'OUT ' / Instrument depolarizer slide positHIERARCH ESO INS DPOS NO = 1 / Depolarizer slide position. HIERARCH ESO INS DPOR ST = F / Instrument depolarizer rotating. HIERARCH ESO INS ADCS NAME = 'OUT ' / ADC slide position. HIERARCH ESO INS ADCS NO = 1 / ADC slide position. HIERARCH ESO INS ADC1 MODE = 'OFF ' / ADC mode. HIERARCH ESO INS ADC1 RA = 152330.317533 / ~~:~~:~~.~ RA (J2000) pointing [dHIERARCH ESO INS ADC1 DEC = -382127.824579 / -~~:~~:~~.~ DEC (J2000) pointingHIERARCH ESO INS ADC1 BEGIN = -0.163 / Position angle at start [deg]. HIERARCH ESO INS ADC1 END = -0.1631 / Position angle at end [deg]. HIERARCH ESO INS ADC2 MODE = 'OFF ' / ADC mode. HIERARCH ESO INS ADC2 RA = 152330.317534 / ~~:~~:~~.~ RA (J2000) pointing [dHIERARCH ESO INS ADC2 DEC = -382127.824578 / -~~:~~:~~.~ DEC (J2000) pointingHIERARCH ESO INS ADC2 BEGIN = 289.238 / Position angle at start [deg]. HIERARCH ESO INS ADC2 END = 289.238 / Position angle at end [deg]. HIERARCH ESO INS GRAT1 ID = 'CD#2 ' / Grating unique ID. HIERARCH ESO INS GRAT1 NAME = 'CD#2 ' / Grating common name. HIERARCH ESO INS GRAT1 FRML = 'ENC=Z+R*asin(WL*OR*GRV/(2*cos(ROT)))+TR*(T-T0)' HIERARCH ESO INS GRAT1 ZORDER= 6184565 / Grating zero order position [Enc].HIERARCH ESO INS GRAT1 RESOL = -22500. / Resolution in encoder steps. HIERARCH ESO INS GRAT1 GROOVES= 0.00066 / Grating grooves / nm [gr/nm]. HIERARCH ESO INS GRAT1 ROT = 22.5 / Grating rot angle [deg]. HIERARCH ESO INS GRAT1 TEMPRAMP= 4.77 / Temperature slope [Enc/C]. HIERARCH ESO INS GRAT1 TEMPREF= 9.4 / Temperature reference value. HIERARCH ESO INS PIXSCALE = 0.246 / Pixel scale [arcsec]. HIERARCH ESO INS GRAT1 X = 1024. / X pixel for central wavelength. HIERARCH ESO INS GRAT1 Y = 2048. / Y pixel for central wavelength. HIERARCH ESO INS GRAT1 NO = 2 / Grating wheel position index. HIERARCH ESO INS GRAT1 WLEN = 437. / Grating central wavelength [nm]. HIERARCH ESO INS GRAT1 ENC = 5982533 / Grating absolute encoder position.HIERARCH ESO INS FILT1 ID = 'FREE ' / Filter unique id. HIERARCH ESO INS FILT1 NAME = 'FREE ' / Filter common name. HIERARCH ESO INS FILT1 NO = 13 / Filter wheel position index. HIERARCH ESO INS TILT1 POS = -0.01 / Science camera tilt [pix]. HIERARCH ESO INS TILT1 FRML = 'ENC=OFFSET+RESOL*asin(2*POS-(MAX+MIN)/(MAX-MIN)'HIERARCH ESO INS TILT1 OFFSET= 16400. / Offset in Formula. HIERARCH ESO INS TILT1 RESOL = -100. / Resolution in encoder steps. HIERARCH ESO INS TILT1 POSMIN= -153.4 / Minimum camera tilt [pix]. HIERARCH ESO INS TILT1 POSMAX= 153.4 / Maximum camera tilt [pix]. HIERARCH ESO INS TILT1 TEMP = 13.7 / Temperature used to position the cHIERARCH ESO INS TILT1 ENC = 16393 / Camera tilt absolute encoder positHIERARCH ESO INS OPTI2 ID = 'Diaphr.27mm' / General Optical device unique ID.HIERARCH ESO INS OPTI2 NAME = 'OVRSIZ ' / General Optical device common nameHIERARCH ESO INS OPTI2 NO = 3 / Slot number. HIERARCH ESO INS OPTI2 TYPE = 'SLIDE ' / General Optical device Element. HIERARCH ESO INS TEMP1 ID = 'TMBC ' / Temperature sensor ID. HIERARCH ESO INS TEMP1 NAME = 'Temp. blue camera' / Temperature sensor name. HIERARCH ESO INS TEMP1 VAL = 13.6 / Temperature sensor numeric value [HIERARCH ESO INS TEMP1 MIN = 13.6 / Minimum temperature [C]. HIERARCH ESO INS TEMP1 MAX = 13.7 / Maximum temperature [C]. HIERARCH ESO INS TEMP1 MEAN = 13.7 / Average temperature [C]. HIERARCH ESO INS TEMP1 RMS = 0. / RMS of samples over exposure. HIERARCH ESO INS TEMP2 ID = 'TMRC ' / Temperature sensor ID. HIERARCH ESO INS TEMP2 NAME = 'Temp. red camera' / Temperature sensor name. HIERARCH ESO INS TEMP2 VAL = 13.4 / Temperature sensor numeric value [HIERARCH ESO INS TEMP2 MIN = 13.4 / Minimum temperature [C]. HIERARCH ESO INS TEMP2 MAX = 13.4 / Maximum temperature [C]. HIERARCH ESO INS TEMP2 MEAN = 13.4 / Average temperature [C]. HIERARCH ESO INS TEMP2 RMS = 0. / RMS of samples over exposure. HIERARCH ESO INS TEMP3 ID = 'TMT ' / Temperature sensor ID. HIERARCH ESO INS TEMP3 NAME = 'Temp. table' / Temperature sensor name. HIERARCH ESO INS TEMP3 VAL = 13.9 / Temperature sensor numeric value [HIERARCH ESO INS TEMP3 MIN = 13.9 / Minimum temperature [C]. HIERARCH ESO INS TEMP3 MAX = 13.9 / Maximum temperature [C]. HIERARCH ESO INS TEMP3 MEAN = 13.9 / Average temperature [C]. HIERARCH ESO INS TEMP3 RMS = 0. / RMS of samples over exposure. HIERARCH ESO INS TEMP4 ID = 'TMIA ' / Temperature sensor ID. HIERARCH ESO INS TEMP4 NAME = 'Temp. inside air' / Temperature sensor name. HIERARCH ESO INS TEMP4 VAL = 14.4 / Temperature sensor numeric value [HIERARCH ESO INS TEMP4 MIN = 14.4 / Minimum temperature [C]. HIERARCH ESO INS TEMP4 MAX = 14.5 / Maximum temperature [C]. HIERARCH ESO INS TEMP4 MEAN = 14.5 / Average temperature [C]. HIERARCH ESO INS TEMP4 RMS = 0. / RMS of samples over exposure. HIERARCH ESO INS SENS26 ID = 'BARO ' / sensor ID. HIERARCH ESO INS SENS26 NAME = 'Barometer pressure' / sensor common name. HIERARCH ESO INS SENS26 VAL = 742.6 / Sensor numeric value. HIERARCH ESO INS SENS26 MIN = 742.6 / Minimum sensor value. HIERARCH ESO INS SENS26 MAX = 742.6 / Maximum sensor value. HIERARCH ESO INS SENS26 MEAN = 742.6 / Average sensor value. HIERARCH ESO INS SENS26 RMS = 0. / RMS of samples over exposure. HIERARCH ESO INS MIRR2 ID = 'DICHR#2 ' / Mirror unique ID. HIERARCH ESO INS MIRR2 NAME = 'DICHR#2 ' / Mirror common name. HIERARCH ESO INS MIRR2 NO = 4 / Mirror slide position. HIERARCH ESO INS SENSOR5 SWSIM= T / If T, function is software simulatHIERARCH ESO INS TEMP31 ID = 'IODT ' / Temperature sensor ID. HIERARCH ESO INS TEMP31 NAME = 'Iodine cell temp.' / Temperature sensor name. HIERARCH ESO INS TEMP31 VAL = 15.1 / Temperature sensor numeric value [HIERARCH ESO INS TEMP31 MIN = 14.9 / Minimum temperature [C]. HIERARCH ESO INS TEMP31 MAX = 15.2 / Maximum temperature [C]. HIERARCH ESO INS TEMP31 MEAN = 15.1 / Average temperature [C]. HIERARCH ESO INS TEMP31 RMS = 0.1 / RMS of samples over exposure. HIERARCH ESO INS SHUT8 ST = F / Shutter open. HIERARCH ESO INS SHUT9 ST = F / Shutter open. HIERARCH ESO INS SHUT10 ST = F / Shutter open. HIERARCH ESO DET CHIP1 INDEX = 1 / Chip index HIERARCH ESO DET CHIP1 ID = 'CCD-44b ' / Detector chip identification HIERARCH ESO DET CHIP1 NAME = 'EEV CCD-44' / Detector chip name HIERARCH ESO DET CHIP1 DATE = '2004-10-14' / Date of installation [YYYY-MM-DD] HIERARCH ESO DET CHIP1 X = 1 / X location in array HIERARCH ESO DET CHIP1 Y = 1 / Y location in array HIERARCH ESO DET CHIP1 NX = 2048 / # of pixels along X HIERARCH ESO DET CHIP1 NY = 4096 / # of pixels along Y HIERARCH ESO DET CHIP1 PSZX = 15. / Size of pixel in X HIERARCH ESO DET CHIP1 PSZY = 15. / Size of pixel in Y HIERARCH ESO DET CHIP1 XGAP = 0. / Gap between chips along x HIERARCH ESO DET CHIP1 YGAP = 0. / Gap between chips along y HIERARCH ESO DET OUT1 INDEX = 1 / Output index HIERARCH ESO DET OUT1 ID = ' ' / Output ID as from manufacturer HIERARCH ESO DET OUT1 NAME = 'L ' / Description of output HIERARCH ESO DET OUT1 CHIP = 1 / Chip to which the output belongs HIERARCH ESO DET OUT1 X = 1 / X location of output HIERARCH ESO DET OUT1 Y = 1 / Y location of output HIERARCH ESO DET OUT1 NX = 1024 / valid pixels along X HIERARCH ESO DET OUT1 NY = 1500 / valid pixels along Y HIERARCH ESO DET OUT1 CONAD = 0.54 / Conversion from ADUs to electrons HIERARCH ESO DET OUT1 RON = 2.31 / Readout noise per output (e-) HIERARCH ESO DET OUT1 GAIN = 1.85 / Conversion from electrons to ADU HIERARCH ESO DET ID = 'CCD FIERA - Rev: 3.111' / Detector system Id HIERARCH ESO DET NAME = 'ccdUvB - uvesb' / Name of detector system HIERARCH ESO DET DATE = '2004-10-14' / Installation date HIERARCH ESO DET DID = 'ESO-VLT-DIC.CCDDCS,ESO-VLT-DIC.FCDDCS' / DictionHIERARCH ESO DET BITS = 16 / Bits per pixel readout HIERARCH ESO DET RA = 230.876323044 / Apparent 15:23:30.3 RA at start HIERARCH ESO DET DEC = -38.35772905 / Apparent -38:21:27.8 DEC at start HIERARCH ESO DET CHIPS = 1 / # of chips in detector array HIERARCH ESO DET OUTPUTS = 1 / # of outputs HIERARCH ESO DET OUTREF = 0 / reference output HIERARCH ESO DET WINDOWS = 1 / # of windows readout HIERARCH ESO DET SOFW MODE = 'Normal ' / CCD sw operational mode HIERARCH ESO DET EXP NO = 14821 / Unique exposure ID number HIERARCH ESO DET EXP TYPE = 'Normal ' / Exposure type HIERARCH ESO DET EXP RDTTIME = 33.396 / image readout time HIERARCH ESO DET EXP XFERTIM = 33.368 / image transfer time HIERARCH ESO DET WIN1 ST = T / If T, window enabled HIERARCH ESO DET WIN1 STRX = 1 / Lower left pixel in X HIERARCH ESO DET WIN1 STRY = 1 / Lower left pixel in Y HIERARCH ESO DET WIN1 NX = 1074 / # of pixels along X HIERARCH ESO DET WIN1 NY = 1500 / # of pixels along Y HIERARCH ESO DET WIN1 BINX = 2 / Binning factor along X HIERARCH ESO DET WIN1 BINY = 2 / Binning factor along Y HIERARCH ESO DET WIN1 NDIT = 1 / # of subintegrations HIERARCH ESO DET WIN1 UIT1 = 1200. / user defined subintegration time HIERARCH ESO DET WIN1 DIT1 = 1200.00125 / actual subintegration time HIERARCH ESO DET WIN1 DKTM = 1200.3824 / Dark current time HIERARCH ESO DET READ MODE = 'normal ' / Readout method HIERARCH ESO DET READ SPEED = '1pt/50kHz/hg' / Readout speed HIERARCH ESO DET READ CLOCK = '50kHz/1port/high_gain' / Readout clock pattern uHIERARCH ESO DET READ NFRAM = 1 / Number of readouts buffered in sinHIERARCH ESO DET FRAM ID = 1 / Image sequencial number HIERARCH ESO DET FRAM TYPE = 'Normal ' / Type of frame HIERARCH ESO DET SHUT TYPE = 'Slit ' / type of shutter HIERARCH ESO DET SHUT ID = 'ccd shutter' / Shutter unique identifier HIERARCH ESO DET SHUT TMOPEN = 0.042 / Time taken to open shutter HIERARCH ESO DET SHUT TMCLOS = 0.044 / Time taken to close shutter HIERARCH ESO DET TELE INT = 60. / Interval between two successive tHIERARCH ESO DET TELE NO = 3 / # of sources active HIERARCH ESO DET TLM1 NAME = 'CCD T1 ' / Description of telemetry param. HIERARCH ESO DET TLM1 ID = 'CCD Sensor1' / ID of telemetry sensor HIERARCH ESO DET TLM1 START = 152.9 / Telemetry value at read start HIERARCH ESO DET TLM1 END = 153. / Telemetry value at read completioHIERARCH ESO DET TLM2 NAME = 'CCD T2 ' / Description of telemetry param. HIERARCH ESO DET TLM2 ID = 'CCD Sensor2' / ID of telemetry sensor HIERARCH ESO DET TLM2 START = 160.7 / Telemetry value at read start HIERARCH ESO DET TLM2 END = 160.8 / Telemetry value at read completionHIERARCH ESO DET TLM3 NAME = 'EBOX T ' / Description of telemetry param. HIERARCH ESO DET TLM3 ID = 'Box Temp' / ID of telemetry sensor HIERARCH ESO DET TLM3 START = 285.5 / Telemetry value at read start HIERARCH ESO DET TLM3 END = 285.5 / Telemetry value at read completionHIERARCH ESO GEN MOON RA = 299.78926 / Moon Right Ascension HIERARCH ESO GEN MOON DEC = -17.44220 / Moon Declination HIERARCH ESO GEN MOON DIST = 62.92437 / Moon distance to target HIERARCH ESO GEN MOON ALT = 34.68938 / Moon altitude angle HIERARCH ESO GEN MOON AZ = 94.80275 / Moon azimuth angle HIERARCH ESO GEN MOON PHASE = 0.41 / Moon phase as fraction of period HIERARCH ESO PRO DID = 'PRO-1.15' / Data dictionary for PRO HIERARCH ESO PRO CATG = 'RED_SCI_POINT_BLUE' / Category of pipeline produHIERARCH ESO PRO TYPE = 'REDUCED ' / Product type HIERARCH ESO PRO TECH = 'ECHELLE ' / Observation technique HIERARCH ESO PRO SCIENCE = T / Scientific product if T HIERARCH ESO PRO REC1 ID = 'uves_obs_scired' / Pipeline recipe (unique) idenHIERARCH ESO PRO REC1 DRS ID = 'cpl-5.3.1' / Data Reduction System identifier HIERARCH ESO PRO REC1 PIPE ID= 'uves/4.9.1' / Pipeline (unique) identifier HIERARCH ESO PRO REC1 RAW1 NAME= 'UVES.2011-08-11T23:23:52.266.fits' / File nam HIERARCH ESO PRO REC1 RAW1 CATG= 'SCI_POINT_BLUE' / Category of raw frame HIERARCH ESO PRO DATANCOM = 1 / Number of combined frames HIERARCH ESO PRO REC1 CAL1 NAME= 'PORD_BLUE437d2_2x2.fits' / File name of calib HIERARCH ESO PRO REC1 CAL1 CATG= 'ORDER_TABLE_BLUE' / Category of calibration f HIERARCH ESO PRO REC1 CAL1 DATAMD5= 'b690bd37c3c53d08825d33dd8df5aa15' / MD5 si HIERARCH ESO PRO REC1 CAL2 NAME= 'PLIN_BLUE437d2_2x2.fits' / File name of calib HIERARCH ESO PRO REC1 CAL2 CATG= 'LINE_TABLE_BLUE' / Category of calibration fr HIERARCH ESO PRO REC1 CAL2 DATAMD5= '9fa9ce55d674edbd22f0a544a043ea6d' / MD5 si HIERARCH ESO PRO REC1 CAL3 NAME= 'MBIA_BLUE_2x2.fits' / File name of calibratio HIERARCH ESO PRO REC1 CAL3 CATG= 'MASTER_BIAS_BLUE' / Category of calibration f HIERARCH ESO PRO REC1 CAL3 DATAMD5= '34be250e69808cce263a2f85a4361573' / MD5 si HIERARCH ESO PRO REC1 CAL4 NAME= 'MFLT_BLUE437d2_2x2.fits' / File name of calib HIERARCH ESO PRO REC1 CAL4 CATG= 'MASTER_FLAT_BLUE' / Category of calibration f HIERARCH ESO PRO REC1 CAL4 DATAMD5= '03193340abdbd33021590a26f2b29aec' / MD5 si HIERARCH ESO PRO REC1 CAL5 NAME= 'MRSP_BLUE437.fits' / File name of calibration HIERARCH ESO PRO REC1 CAL5 CATG= 'MASTER_RESPONSE_BLUE' / Category of calibrati HIERARCH ESO PRO REC1 CAL6 NAME= 'GEXT_extcoeff_table.fits' / File name of cali HIERARCH ESO PRO REC1 CAL6 CATG= 'EXTCOEFF_TABLE' / Category of calibration fra HIERARCH ESO PRO REC1 CAL6 DATAMD5= '8b6806a8b8ce62e0c4514763ce4be125' / MD5 si HIERARCH ESO PRO REC1 PARAM1 NAME= 'debug ' / Whether or not to save intermed HIERARCH ESO PRO REC1 PARAM1 VALUE= 'false ' / Default: false HIERARCH ESO PRO REC1 PARAM2 NAME= 'plotter ' / Any plots produced by the recip HIERARCH ESO PRO REC1 PARAM2 VALUE= 'no ' / Default: 'no' HIERARCH ESO PRO REC1 PARAM3 NAME= 'process_chip' / For RED arm data proces the HIERARCH ESO PRO REC1 PARAM3 VALUE= 'BOTH ' / Default: 'both' HIERARCH ESO PRO REC1 PARAM4 NAME= 'clean_traps' / Clean detector traps. If TRU HIERARCH ESO PRO REC1 PARAM4 VALUE= 'false ' / Default: false HIERARCH ESO PRO REC1 PARAM5 NAME= 'reduce.backsub.mmethod' / Background measur HIERARCH ESO PRO REC1 PARAM5 VALUE= 'median ' / Default: 'median' HIERARCH ESO PRO REC1 PARAM6 NAME= 'reduce.backsub.npoints' / This is the numbe HIERARCH ESO PRO REC1 PARAM6 VALUE= '82 ' / Default: 82 HIERARCH ESO PRO REC1 PARAM7 NAME= 'reduce.backsub.radiusy' / The height (in pi HIERARCH ESO PRO REC1 PARAM7 VALUE= '2 ' / Default: 2 HIERARCH ESO PRO REC1 PARAM8 NAME= 'reduce.backsub.sdegree' / Degree of interpo HIERARCH ESO PRO REC1 PARAM8 VALUE= '1 ' / Default: 1 HIERARCH ESO PRO REC1 PARAM9 NAME= 'reduce.backsub.smoothx' / If spline interpo HIERARCH ESO PRO REC1 PARAM9 VALUE= '-1 ' / Default: -1 HIERARCH ESO PRO REC1 PARAM10 NAME= 'reduce.backsub.smoothy' / If spline interp HIERARCH ESO PRO REC1 PARAM10 VALUE= '-1 ' / Default: -1 HIERARCH ESO PRO REC1 PARAM11 NAME= 'reduce.extract.method' / Extraction method HIERARCH ESO PRO REC1 PARAM11 VALUE= 'optimal ' / Default: 'optimal' HIERARCH ESO PRO REC1 PARAM12 NAME= 'reduce.extract.kappa' / In optimal extract HIERARCH ESO PRO REC1 PARAM12 VALUE= '10 ' / Default: 10 HIERARCH ESO PRO REC1 PARAM13 NAME= 'reduce.extract.chunk' / In optimal extract HIERARCH ESO PRO REC1 PARAM13 VALUE= '32 ' / Default: 32 HIERARCH ESO PRO REC1 PARAM14 NAME= 'reduce.extract.profile' / In optimal extra HIERARCH ESO PRO REC1 PARAM14 VALUE= 'auto ' / Default: 'auto' HIERARCH ESO PRO REC1 PARAM15 NAME= 'reduce.extract.skymethod' / In optimal ext HIERARCH ESO PRO REC1 PARAM15 VALUE= 'optimal ' / Default: 'optimal' HIERARCH ESO PRO REC1 PARAM16 NAME= 'reduce.extract.oversample' / The oversampl HIERARCH ESO PRO REC1 PARAM16 VALUE= '-1 ' / Default: -1 HIERARCH ESO PRO REC1 PARAM17 NAME= 'reduce.extract.best' / (optimal extraction HIERARCH ESO PRO REC1 PARAM17 VALUE= 'true ' / Default: true HIERARCH ESO PRO REC1 PARAM18 NAME= 'reduce.slitlength' / Extraction slit lengt HIERARCH ESO PRO REC1 PARAM18 VALUE= '-1 ' / Default: -1 HIERARCH ESO PRO REC1 PARAM19 NAME= 'reduce.skysub' / Do sky-subtraction (only HIERARCH ESO PRO REC1 PARAM19 VALUE= 'true ' / Default: true HIERARCH ESO PRO REC1 PARAM20 NAME= 'reduce.objoffset' / Offset (in pixels) of HIERARCH ESO PRO REC1 PARAM20 VALUE= '0 ' / Default: 0 HIERARCH ESO PRO REC1 PARAM21 NAME= 'reduce.objslit' / Object window size (in p HIERARCH ESO PRO REC1 PARAM21 VALUE= '-1 ' / Default: -1 HIERARCH ESO PRO REC1 PARAM22 NAME= 'reduce.tiltcorr' / If enabled (recommended HIERARCH ESO PRO REC1 PARAM22 VALUE= 'true ' / Default: true HIERARCH ESO PRO REC1 PARAM23 NAME= 'reduce.ffmethod' / Flat-fielding method. I HIERARCH ESO PRO REC1 PARAM23 VALUE= 'extract ' / Default: 'extract' HIERARCH ESO PRO REC1 PARAM24 NAME= 'reduce.rebin.wavestep' / The bin size (in HIERARCH ESO PRO REC1 PARAM24 VALUE= '-1 ' / Default: -1 HIERARCH ESO PRO REC1 PARAM25 NAME= 'reduce.rebin.scale' / Whether or not to mu HIERARCH ESO PRO REC1 PARAM25 VALUE= 'false ' / Default: false HIERARCH ESO PRO REC1 PARAM26 NAME= 'reduce.merge' / Order merging method. If ' HIERARCH ESO PRO REC1 PARAM26 VALUE= 'optimal ' / Default: 'optimal' HIERARCH ESO PRO REC1 PARAM27 NAME= 'reduce.merge_delt1' / Order merging left h HIERARCH ESO PRO REC1 PARAM27 VALUE= '0 ' / Default: 0 HIERARCH ESO PRO REC1 PARAM28 NAME= 'reduce.merge_delt2' / Order merging right HIERARCH ESO PRO REC1 PARAM28 VALUE= '0 ' / Default: 0 HIERARCH ESO PRO DATAMED = 581.870921794884 / Median of pixel values HIERARCH ESO PRO DATAAVG = 670.49849259991 / Mean of pixel values HIERARCH ESO PRO DATARMS = 507.034372491436 / Standard deviation of pixel vaHIERARCH ESO PRO REC1 START = '2011-08-11T23:44:34' / Auto Added Keyword HIERARCH ESO PRO REC1 STOP = '2011-08-11T23:44:46' / Auto Added Keyword HIERARCH ESO OCS SIMCAL = 0 / Simultaneous Calibration flag HIERARCH ESO QC DID = 'UVES-1.14' / ESO QC DID HIERARCH ESO QC TEST1 ID = 'Science-Reduction-Test-Results' / Name of QC tesHIERARCH ESO QC ORD1 OBJ SN = 3.7358 / Av. S/N at order center HIERARCH ESO QC ORD1 OBJ POS = 9.4069 / Av. OBJ POS at order center HIERARCH ESO QC ORD1 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD1 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD2 OBJ SN = 6.3206 / Av. S/N at order center HIERARCH ESO QC ORD2 OBJ POS = 9.4034 / Av. OBJ POS at order center HIERARCH ESO QC ORD2 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD2 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD3 OBJ SN = 5.1092 / Av. S/N at order center HIERARCH ESO QC ORD3 OBJ POS = 9.3998 / Av. OBJ POS at order center HIERARCH ESO QC ORD3 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD3 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD4 OBJ SN = 5.0724 / Av. S/N at order center HIERARCH ESO QC ORD4 OBJ POS = 9.3962 / Av. OBJ POS at order center HIERARCH ESO QC ORD4 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD4 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD5 OBJ SN = 10.152 / Av. S/N at order center HIERARCH ESO QC ORD5 OBJ POS = 9.3926 / Av. OBJ POS at order center HIERARCH ESO QC ORD5 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD5 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD6 OBJ SN = 6.166 / Av. S/N at order center HIERARCH ESO QC ORD6 OBJ POS = 9.389 / Av. OBJ POS at order center HIERARCH ESO QC ORD6 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD6 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD7 OBJ SN = 6.9447 / Av. S/N at order center HIERARCH ESO QC ORD7 OBJ POS = 9.3854 / Av. OBJ POS at order center HIERARCH ESO QC ORD7 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD7 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD8 OBJ SN = 8.9217 / Av. S/N at order center HIERARCH ESO QC ORD8 OBJ POS = 9.3818 / Av. OBJ POS at order center HIERARCH ESO QC ORD8 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD8 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD9 OBJ SN = 10.3586 / Av. S/N at order center HIERARCH ESO QC ORD9 OBJ POS = 9.3783 / Av. OBJ POS at order center HIERARCH ESO QC ORD9 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD9 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD10 OBJ SN = 10.9887 / Av. S/N at order center HIERARCH ESO QC ORD10 OBJ POS= 9.3747 / Av. OBJ POS at order center HIERARCH ESO QC ORD10 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD10 OBJ RPLPAR= 0.1121 / Av. relative ripple amplitude HIERARCH ESO QC ORD11 OBJ SN = 11.6102 / Av. S/N at order center HIERARCH ESO QC ORD11 OBJ POS= 9.3711 / Av. OBJ POS at order center HIERARCH ESO QC ORD11 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD11 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD12 OBJ SN = 11.5271 / Av. S/N at order center HIERARCH ESO QC ORD12 OBJ POS= 9.3675 / Av. OBJ POS at order center HIERARCH ESO QC ORD12 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD12 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD13 OBJ SN = 13.0874 / Av. S/N at order center HIERARCH ESO QC ORD13 OBJ POS= 9.3639 / Av. OBJ POS at order center HIERARCH ESO QC ORD13 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD13 OBJ RPLPAR= 0.1894 / Av. relative ripple amplitude HIERARCH ESO QC ORD14 OBJ SN = 13.0912 / Av. S/N at order center HIERARCH ESO QC ORD14 OBJ POS= 9.3603 / Av. OBJ POS at order center HIERARCH ESO QC ORD14 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD14 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD15 OBJ SN = 12.6168 / Av. S/N at order center HIERARCH ESO QC ORD15 OBJ POS= 9.3567 / Av. OBJ POS at order center HIERARCH ESO QC ORD15 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD15 OBJ RPLPAR= 0.1976 / Av. relative ripple amplitude HIERARCH ESO QC ORD16 OBJ SN = 14.1794 / Av. S/N at order center HIERARCH ESO QC ORD16 OBJ POS= 9.3532 / Av. OBJ POS at order center HIERARCH ESO QC ORD16 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD16 OBJ RPLPAR= 0.2069 / Av. relative ripple amplitude HIERARCH ESO QC ORD17 OBJ SN = 16.4099 / Av. S/N at order center HIERARCH ESO QC ORD17 OBJ POS= 9.3496 / Av. OBJ POS at order center HIERARCH ESO QC ORD17 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD17 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD18 OBJ SN = 17.318 / Av. S/N at order center HIERARCH ESO QC ORD18 OBJ POS= 9.346 / Av. OBJ POS at order center HIERARCH ESO QC ORD18 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD18 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD19 OBJ SN = 17.3812 / Av. S/N at order center HIERARCH ESO QC ORD19 OBJ POS= 9.3424 / Av. OBJ POS at order center HIERARCH ESO QC ORD19 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD19 OBJ RPLPAR= 0.1512 / Av. relative ripple amplitude HIERARCH ESO QC ORD20 OBJ SN = 21.6236 / Av. S/N at order center HIERARCH ESO QC ORD20 OBJ POS= 9.3388 / Av. OBJ POS at order center HIERARCH ESO QC ORD20 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD20 OBJ RPLPAR= 0.2235 / Av. relative ripple amplitude HIERARCH ESO QC ORD21 OBJ SN = 24.046 / Av. S/N at order center HIERARCH ESO QC ORD21 OBJ POS= 9.3352 / Av. OBJ POS at order center HIERARCH ESO QC ORD21 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD21 OBJ RPLPAR= 0.1997 / Av. relative ripple amplitude HIERARCH ESO QC ORD22 OBJ SN = 23.0858 / Av. S/N at order center HIERARCH ESO QC ORD22 OBJ POS= 9.3316 / Av. OBJ POS at order center HIERARCH ESO QC ORD22 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD22 OBJ RPLPAR= 0.1543 / Av. relative ripple amplitude HIERARCH ESO QC ORD23 OBJ SN = 28.4964 / Av. S/N at order center HIERARCH ESO QC ORD23 OBJ POS= 9.3281 / Av. OBJ POS at order center HIERARCH ESO QC ORD23 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD23 OBJ RPLPAR= 0.276 / Av. relative ripple amplitude HIERARCH ESO QC ORD24 OBJ SN = 29.4229 / Av. S/N at order center HIERARCH ESO QC ORD24 OBJ POS= 9.3245 / Av. OBJ POS at order center HIERARCH ESO QC ORD24 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD24 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD25 OBJ SN = 27.2865 / Av. S/N at order center HIERARCH ESO QC ORD25 OBJ POS= 9.3209 / Av. OBJ POS at order center HIERARCH ESO QC ORD25 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD25 OBJ RPLPAR= 0.1561 / Av. relative ripple amplitude HIERARCH ESO QC ORD26 OBJ SN = 28.7122 / Av. S/N at order center HIERARCH ESO QC ORD26 OBJ POS= 9.3173 / Av. OBJ POS at order center HIERARCH ESO QC ORD26 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD26 OBJ RPLPAR= 0.2021 / Av. relative ripple amplitude HIERARCH ESO QC ORD27 OBJ SN = 24.2293 / Av. S/N at order center HIERARCH ESO QC ORD27 OBJ POS= 9.3137 / Av. OBJ POS at order center HIERARCH ESO QC ORD27 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD27 OBJ RPLPAR= 0.2015 / Av. relative ripple amplitude HIERARCH ESO QC ORD28 OBJ SN = 25.725 / Av. S/N at order center HIERARCH ESO QC ORD28 OBJ POS= 9.3101 / Av. OBJ POS at order center HIERARCH ESO QC ORD28 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD28 OBJ RPLPAR= 0.2454 / Av. relative ripple amplitude HIERARCH ESO QC ORD29 OBJ SN = 35.5577 / Av. S/N at order center HIERARCH ESO QC ORD29 OBJ POS= 9.3065 / Av. OBJ POS at order center HIERARCH ESO QC ORD29 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD29 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC ORD30 OBJ SN = 31.3479 / Av. S/N at order center HIERARCH ESO QC ORD30 OBJ POS= 9.303 / Av. OBJ POS at order center HIERARCH ESO QC ORD30 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD30 OBJ RPLPAR= 0.2392 / Av. relative ripple amplitude HIERARCH ESO QC ORD31 OBJ SN = 25.7515 / Av. S/N at order center HIERARCH ESO QC ORD31 OBJ POS= 9.2994 / Av. OBJ POS at order center HIERARCH ESO QC ORD31 OBJ FWHM= 3.4105 / Av. FWHM on order HIERARCH ESO QC ORD31 OBJ RPLPAR= -1. / Av. relative ripple amplitude HIERARCH ESO QC EX NORD = 31 / No. of orders extracted HIERARCH ESO QC EX XSIZE = 1500 / Input image width (pixels) HIERARCH ESO QC EX YSIZE = 18 / Extraction slit (pixels) HIERARCH ESO QC VRAD BARYCOR = -27.472006 / Barycentric radial velocity correcHIERARCH ESO QC VRAD HELICOR = -27.477197 / Heliocentric radial velocity correCOMMENT FITS (Flexible Image Transport System) format is defined in 'AstronomyCOMMENT and Astrophysics', volume 376, page 359; bibcode: 2001A&A...376..359H COMMENT FTU-2_5_2/2011-08-11T23:44:49/fitsTranslateTable-RED.ht HISTORY FTU-2_5_2/2011-08-11/ADD: GEN.MOON.RA HISTORY FTU-2_5_2/2011-08-11/ADD: GEN.MOON.DEC HISTORY FTU-2_5_2/2011-08-11/ADD: GEN.MOON.DIST HISTORY FTU-2_5_2/2011-08-11/ADD: GEN.MOON.ALT HISTORY FTU-2_5_2/2011-08-11/ADD: GEN.MOON.AZ HISTORY FTU-2_5_2/2011-08-11/ADD: GEN.MOON.PHASE END BHdBy`BwBhBB^BhYB2lByBBBBcB{rByB0BtBLBB,BB
+B,BЗB3B7BTB BBBBCBBBBBPBGLB-BŽBhCBB=sB
+B@ZBsB/B@BϾB%BOBB"BCBUBƖBjBOB%B7BBBŒvBBB-B5rBMBBBBvpBaiB_BuBfCC zB)BקBcB
6BWB#B_BӆB'JB?4BͰB\WBBJBPC
)|B>"B0C mBH%BBQBC_BBPB?BE9BB|BBl B0BBB*BWBiBtBBBB?lBxBqBmBBEqB,BfBՔBp7BBimB4BBB2BB@hB{Bn.BBBդBqԼBiBuBAB3ByB,4B}WB/BBPkBzBLB= BBBBBxLBBBBB!BYBBpBBBB2BBBBmBnxBiB!9B"BBBdBݟB;HBTBvBCB)BBBaBy?B^BqB,BDBB^BBEBB5BxBK BA[B |BGB|iBkB,B[B