Choosing how to access the data

This Notebook explains three methods of accessing COS data hosted by the STScI Mikulski Archive for Space Telescopes (MAST). You may read through all three, or you may wish to focus on a particular method which best suits your needs. Please use the table below to determine which section on which to focus.

The HST-specific Search (Web Interface) The MAST Portal (Web Interface) The Astroquery (Python Interface)
- User-friendly point-and-click searching - User-friendly point-and-click searching - Requires a bit of Python experience
- Advanced mission-specific search parameters, including: central wavelength, detector, etc. - Lacks some mission-specific search parameters but has non-HST data - Allows for programmatic searching and downloads
- Easy to select and download specific datasets - Easy to select and download specific datasets - Best for downloading very large datasets
Use this method if... ...You're unfamiliar with Python and need to search for data by cenwave ...You're exploring the data from multiple observatories and you don't need to search by cenwave ...You know Python and have an idea of what data you're looking for, or you have a lot of data
Described in... Section 1.1 Section 1.3 Section 2.1

Note that these are only recommendations, and you may prefer another option. For most purposes, the writer of this tutorial recommends exploring your data first with one of the Web interfaces. Then, if repeatability is important to your application, you can implement this using the Astroquery Python interface.

0. Introduction

The Cosmic Origins Spectrograph (COS) is an ultraviolet spectrograph on-board the Hubble Space Telescope(HST) with capabilities in the near ultraviolet (NUV) and far ultraviolet (FUV).

This tutorial aims to prepare you to access the existing COS data of your choice by walking you through downloading a processed spectrum, as well as various calibration files obtained with COS.

0.1. A one-cell summary of this Notebook's key points:

While the rest of this Notebook will walk you through each step and decision made when downloading COS data, the following code cell serves as a summary for the Notebook. It contains the key material condensed into a single code cell, without much explanation. In the rest of this Notebook, we explain other methods of downloading data which require less Python experience and which may be more useful for exploring data when you don't know exactly what you're looking for.

If this cell is all the help you need, great! If you still have questions, read on!

In [1]:
# This code cell condenses the key material of the Notebook into a single cell summary.
# 1. Import the necessary libraries:
# For searching and downloading from the MAST archive:
from astroquery.mast import Observations
# For handling system paths:
from pathlib import Path

# 2. Download an example dataset using astroquery:
# 2.1. Find all the observations from a single HST Proposal:
# We'll search for a program with Proposal ID 15366
# A list of search criteria can be found by running: Observations.get_metadata('observations')
obs_from_proposal = Observations.query_criteria(proposal_id="15366")

# 2.2. Find all the data products for these observations:
# These include all the files associated with your observation, from raw data to fully-calibrated spectra or images
products_from_proposal = Observations.get_product_list(obs_from_proposal)

# 2.3. Tell the user how many total files were found:
print(f"Found {len(products_from_proposal)} data products")

# 2.4. Filter to a specific subset of these products:
# Here we filter to (I) the X1DSUM files, which are the final 1-dimensional extracted spectra,
# and (II) the association files, which list related exposures which were combined into the X1DSUM
products_to_download = Observations.filter_products(
    products_from_proposal,
    productSubGroupDescription=["X1DSUM", "ASN"] # Filters to only the X1DSUM and ASN files
)

# 2.5. Download the filtered products:
download_table = Observations.download_products(products_to_download)

# 2.6. Gather the downloaded files:
# Turn string paths to the files into python pathlib.Path objects
# Then make lists of these local paths, aggregated by type of file, and print to the user.
onecell_x1dsum_products = [Path(local_path) for local_path in \
                           download_table["Local Path"] if "x1dsum" in local_path]
onecell_asn_products = [Path(local_path) for local_path in \
                        download_table["Local Path"] if "asn" in local_path]
print("Downloaded X1DSUM Files: \n", onecell_x1dsum_products,
      "\nDownloaded ASN Files: \n", onecell_asn_products)
Found 266 data products
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldm701010_asn.fits to ./mastDownload/HST/ldm701010/ldm701010_asn.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldm701010_x1dsum.fits to ./mastDownload/HST/ldm701010/ldm701010_x1dsum.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldm701020_asn.fits to ./mastDownload/HST/ldm701020/ldm701020_asn.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldm701020_x1dsum.fits to ./mastDownload/HST/ldm701020/ldm701020_x1dsum.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldm701030_asn.fits to ./mastDownload/HST/ldm701030/ldm701030_asn.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldm701030_x1dsum.fits to ./mastDownload/HST/ldm701030/ldm701030_x1dsum.fits ... [Done]
Downloaded X1DSUM Files: 
 [PosixPath('mastDownload/HST/ldm701010/ldm701010_x1dsum.fits'), PosixPath('mastDownload/HST/ldm701020/ldm701020_x1dsum.fits'), PosixPath('mastDownload/HST/ldm701030/ldm701030_x1dsum.fits')] 
Downloaded ASN Files: 
 [PosixPath('mastDownload/HST/ldm701010/ldm701010_asn.fits'), PosixPath('mastDownload/HST/ldm701020/ldm701020_asn.fits'), PosixPath('mastDownload/HST/ldm701030/ldm701030_asn.fits')]

Now, returning to our more detailed walkthrough...

We will define a few directories in which to place our data.

And to create new directories, we'll import pathlib.Path:

In [2]:
# Import for: working with system paths
from pathlib import Path

# This will be an important directory for the Notebook, where we save data
data_dir = Path('./data/')
data_dir.mkdir(exist_ok=True)

1. Downloading the data through the browser interface

One can search for COS data from both a browser-based Graphical User Interface (gui) and a Python interface. This Section (1) will examine two web interfaces. Section 2 will explain the Python interface.

Note, there are other, more specialized ways to query the mast API not discussed in this Notebook. An in-depth MAST API tutorial can be found here.

The browser gui for searching specifically through HST archival data can be found here. Full documentation of the HST-specific search can be found here. In this section of the Notebook, we'll show examples of searching for COS data using the HST-specific form. A more general MAST gui, which allows access to data from other telescopes such as TESS, but does not offer all HST-specific search parameters, will be discussed in Section 1.3.

The search page of the HST-specific interface is laid out as in Fig 1.1:

Fig 1.1

If you are accessing proprietary data, you will need to make an account or log in at the top right under "MY ST" (boxed in red in Fig 1.1). If you are accessing non-proprietary data, you may continue without logging in.

Figure 1.2 shows a filled-in search form, which will query the MAST archive for observations which:

  • Fall within 3 arcminutes of either of the resolved stars: AV75 or AV80
  • Are spectroscopic observations, rather than images
  • Have exposure times of greater than 1000 seconds
  • Are taken with the COS instrument, using the G160M grating and either the 1533 or the 1577 cenwave setting

Fig 1.2

The above search results in the table shown in Fig 1.3.

Fig 1.3

If you need to change some parameters in your search - for instance, to also find data from the G130M grating - click on "Edit Search" (red dashed box in Fig 1.3).

If you are happy with your search, you may now select all the observations whose data you would like to download. Do this by clicking on the checkbox for those observations (blue box), and then clicking "Download Data" (green oval).

Most COS spectra have preview images (simple plots of flux by wavelength) which can be viewed before downloading the data. Clicking the dataset name (blue dashed oval) will take you to a page which shows the preview image, as well as some basic information about the data and whether there were any known failures during the operation. An example of such a page is shown in Fig 1.4.

Fig 1.4

Returning to the results page shown in Fig 1.3 and clicking "Download Data" opens a window as shown in Fig 1.5. You can choose to show/hide certain types of data such as the uncalibrated data (red box), search for filetypes using the search bar, and unselect/select all the data products shown in the filtered list (green circle).

Fig 1.5

When all of your desired data products are checked, click "Start Download" (yellow dashed box). This will download a compressed "zipped" folder of all of your data, divided into subdirectories by the observation. Most operating systems can decompress these folders by default. For help decompressing the Zipped files, you can follow these links for: Windows and Mac. There are numerous ways to do this on Linux, however we have not vetted them.

Let's briefly return to the initial HST-specific search form to discuss another way to find data. Rather than specifying parameters about the data we're searching for, we can instead search by a dataset's ID (see Fig 1.6). As an example of this, we rather arbitrarily select LCXV13050 because of its long exposure time, taken under an observing program described as:

"Project AMIGA: Mapping the Circumgalactic Medium of Andromeda"

This is a Quasar known as 3C48, one of the first quasars discovered.

Fig 1.6

Well done making it this far!

You can attempt the exercise below for some extra practice.

Exercise 1: Searching the archive for TRAPPIST-1 data

TRAPPIST-1 is a cool red dwarf with a multiple-exoplanet system.

  • Find its coordinates using the SIMBAD Basic Search.
  • Use those coordinates in the HST web search or the MAST portal to find all COS exposures of the system.
  • Limit the search terms to find the COS dataset taken in the COS far-UV configuration with the grating G130M.

What is the dataset ID, and how long was the exposure?

Place your answer in the cell below.

In [3]:
# Your answer here

Now let's try using the HST-specific web interface's file upload form to search for a series of observations by their dataset IDs. We're going to look for three observations of the same object, the white dwarf WD1057+719, taken with three different COS gratings. Two are in the FUV and one in the NUV. The dataset IDs are

  • LDYR52010
  • LBNM01040
  • LBBD04040

So that we have an example list of datasets to input to the web search, we make a comma-separated-value txt file with these three obs_ids, and save it as obsId_list.txt. You can also search by right ascension and declination, instead of by dataset ID.

In [4]:
# The three observation IDs we want to gather
obsIdList = ['LDYR52010', 'LBNM01040', 'LBBD04040']
obsIdList_length = len(obsIdList)

with open('./obsId_list.txt', 'w') as f:  # Open up this new file in "write" mode
    # The first line tells the search what type of parameter we're searching
    # Here, it's the dataset ID, but it could be RA, DEC. In that case each row has two values
    f.write("Dataset_id\n")
    # We want a newline after each obs_id except the last one
    for i, item in enumerate(obsIdList):
        if i < obsIdList_length - 1:
            f.writelines(item + "," + '\n')
        # Make sure we don't end the file with a blank line (below)
        if i == obsIdList_length - 1:
            f.writelines(item)

Then we can click Upload List of Objects on the HST-specific search form, and then choose obsId_list.txt under the browse menu which opens. Because we are searching by Dataset ID, we don't need to specify any additional parameters to narrow down the data.

Fig 1.7

We now can access all the datasets specified in obsId_list.txt, as shown in Fig. 1.8:

Fig 1.8

We can select and download their data products as before.

1.3. The MAST Portal

STScI hosts another web-based gui for accessing data, the MAST Portal. This is a newer interface which hosts data from across many missions and allows the user to visualize the target in survey images, take quick looks at spectra or lightcurves, and manage multiple search tabs at once. Additionally, it handles downloads in a slightly more beginner-friendly manner than the current implementation of the Classic HST Search. This guide will only cover the basics of accessing COS data through the MAST Portal; you can find more in-depth documentation in the form of helpful video guides on the MAST YouTube Channel.

Let's find the same data we found in Section 1.1, on the QSO 3C48:

Navigate to the MAST Portal at https://mast.stsci.edu/portal/Mashup/Clients/Mast/Portal.html, and you will be greeted by a screen where the top looks like Fig. 1.9.

Fig 1.9

Click on "Advanced Search" (boxed in red in Fig. 1.9). This will open up a new search tab, as shown in Fig. 1.10:

Fig 1.10

Fig 1.10 (above) shows the default search fields which appear. Depending on what you are looking for, these may or may not be the most helpful search fields. By unchecking some of the fields which we are not interested in searching by right now (boxed in green), and then entering the parameter values by which to narrow the search into each parameter's box, we generate Fig. 1.11 (below). One of the six fields (Mission) by which we are narrowing is boxed in a dashed blue line. The list of applied filters is boxed in red. A dashed pink box at the top left indicates that 2 records were found matching all of these parameters. To its left is an orange box around the "Search" button to press to bring up the list of results

Here we are searching by:

Search Parameter Value
Mission HST
Instrument COS/FUV
Filters G160M
Target Name 3C48
Observation ID LCXV* (the star is a "wild card" value, so the search will find any file whose obs_id begins with LCXV)
Product Type spectrum

Fig 1.11

Click the "Search" button (boxed in orange), and you will be brought to a page resembling Fig. 1.12.

Fig 1.12

Above, in Fig 1.12:

  • The yellow box to the right shows the AstroView panel, where you can interactively explore the area around your target:
    • click and drag to pan around
    • scroll to zoom in/out
  • The dashed-blue box highlights additional filters you can use to narrow your search results.
  • The red box highlights a button you can click with some spectral datasets to pull up an interactive spectrum.
  • The green box highlights the "Mark" checkboxes for each dataset.
  • The black circle highlights the single dataset download button:
    • If you only need to download one or two datasets, you may simply click this button for each dataset
    • Clicking the single dataset download button will attempt to open a "pop-up" window, which you must allow in order to download the file. Some browsers will require you to manually allow pop-ups.

1.4. Searching for a Series of Observations on the MAST Portal

To download multiple datasets: The MAST portal acts a bit like an online shopping website, where you add your data products to the checkout cart/basket, then open up your cart to checkout and download the files.

Using the checkboxes, mark all the datasets you wish to download (in this case, we'll download both LCXV13040 and LCXV13050). Then, click the "Add data products to Download Basket" button (circled in a dashed-purple line), which will take you to a "Download Basket" screen resembling Fig 1.13:

Fig 1.13

Each dataset contains many files, most of which are calibration files or intermediate processing files. You may or may not want some of these intermediate files in addition to the final product file. In the leftmost "Filters" section of the Download Basket page, you can narrow which files will be downloaded (boxed in red). By default, only the minimum recommended products (mrp) will be selected. In the case of most COS data, this will be the final spectrum x1dsum file and association asn file for each dataset. The mrp files for the first dataset (LCXV13040) are highlighted in yellow. These two mrp filetypes are fine for our purposes here; however if you want to download files associated with specific exposures, or any calibration files or intermediate files, you can select those you wish to download with the checkboxes in the file tree system (boxed in dashed-green).

For this tutorial, we simply select "Minimum Recommended Products" at the top left. With this box checked, all of the folders representing individual exposures are no longer visible. Check the box labelled "HST" to select all files included by the filters, and click the "Download Selected Items" button at the top right (dashed-black circle). This will bring up a small window asking you what format to download your files as. For datasets smaller than several Gigabytes, the Zip format will do fine. Click Download, and a pop-up window will try to open to download the files. If no download begins, make sure to enable this particular pop-up, or allow pop-ups on the MAST page.

Your files should now be downloaded as a compressed Zip folder.

2. The Python Package astroquery.mast

Another way to search for and download archived datasets is from within Python using the module astroquery.mast. We will import one of this module's key submodules: Observations.

Please note that the canonical source of information on this package is the astroquery docs - please look there for the most up-to-date instructions.

We will import the following packages:

  • astroquery.mast's submodule Observations for finding and downloading data from the MAST archive
  • csv's submodule reader for reading in/out from a csv file of source names.
In [5]:
# Downloading data from archive
from astroquery.mast import Observations

# Reading in multiple source names from a csv file
from csv import reader

2.1. Searching for a single source with Astroquery

There are many options for searching the archive with astroquery, but we will begin with a very general search using the coordinates we found for WD1057+719 in the last section to find the dataset with the longest exposure time using the COS/FUV mode through the G160M filter. We could also search by object name to have it resolved to a set of coordinates, with the function Observations.query_object(objectname = '3C48').

  • Our coordinates were: (11:00:34.126 +71:38:02.80).
    • We can search these coordinates as sexagesimal coordinates, or convert them to decimal degrees.
In [6]:
query_1 = Observations.query_object(
    "11:00:34.126 +71:38:02.80", radius="5 sec")

This command has generated a table of objects called "query_1". We can see what information we have on the objects in the table by printing its keys, and see how many objects are in the table with len(query_1).

In [7]:
print(f"We have table information on {len(query_1)} "+
      "observations in the following categories/columns:\n")
q1_keys = (query_1.keys())
q1_keys
We have table information on 894 observations in the following categories/columns:

Out[7]:
['intentType',
 'obs_collection',
 'provenance_name',
 'instrument_name',
 'project',
 'filters',
 'wavelength_region',
 'target_name',
 'target_classification',
 'obs_id',
 's_ra',
 's_dec',
 'dataproduct_type',
 'proposal_pi',
 'calib_level',
 't_min',
 't_max',
 't_exptime',
 'em_min',
 'em_max',
 'obs_title',
 't_obs_release',
 'proposal_id',
 'proposal_type',
 'sequence_number',
 's_region',
 'jpegURL',
 'dataURL',
 'dataRights',
 'mtFlag',
 'srcDen',
 'obsid',
 'distance']

2.2. Narrowing Search with Observational Parameters

Now we narrow down a bit with some additional parameters and sort by exposure time. The parameter limits we add to the search are:

  • Only look for sources in the coordinate range between right ascension 165 to 166 degrees and declination +71 to +72 degrees
  • Only find observations in the UV
  • Only find observations taken with the COS instrument (either in its FUV or NUV configuration).
  • Only find spectrographic observations
  • Only find observations made using the COS grating "G160M"
In [8]:
query_2 = Observations.query_criteria(s_ra=[165., 166.], s_dec=[+71., +72.],
                                      wavelength_region="UV", instrument_name=["COS/NUV", "COS/FUV"],
                                      dataproduct_type="spectrum", filters='G160M')

# Next lines simplifies the columns of data we see to some useful data we will look at right now
limq2 = query_2['obsid', 'obs_id', 'target_name', 'dataproduct_type', 'instrument_name',
                'project', 'filters', 'wavelength_region', 't_exptime']
# This is the index list in order of exposure time, increasing
sort_order = query_2.argsort('t_exptime')
print(limq2[sort_order])
chosenObs = limq2[sort_order][-1]  # Grab the last value of the sorted list
print(f"\n\nThe longest COS/FUV exposure with the G160M filter is:"+
      f"\n\n{chosenObs}")
 obsid     obs_id  target_name ... filters wavelength_region     t_exptime    
-------- --------- ----------- ... ------- ----------------- -----------------
26242800 ldyr52030  WD1057+719 ...   G160M                UV               0.0
24843807 lbn133010  WD1057+719 ...   G160M                UV               0.0
24134176 la9r02dfq WD-1057+719 ...   G160M                UV               1.0
24140064 lbe702iqs  WD1057+719 ...   G160M                UV               1.0
24139587 lbb9x3ckq  WD1057+719 ...   G160M                UV               1.0
24139542 lbb918scq  WD1057+719 ...   G160M                UV               1.0
24139526 lbb916lbq  WD1057+719 ...   G160M                UV               1.0
24139534 lbb917k7q  WD1057+719 ...   G160M                UV               1.0
24140063 lbe702ips  WD1057+719 ...   G160M                UV             108.0
24139525 lbb916laq  WD1057+719 ...   G160M                UV             108.0
     ...       ...         ... ...     ...               ...               ...
24843895 lbnm03030  WD1057+719 ...   G160M                UV          2800.832
24843884 lbnm01020 WD-1057+719 ...   G160M                UV          2850.208
24843894 lbnm03020  WD1057+719 ...   G160M                UV          2900.608
24843896 lbnm03040  WD1057+719 ...   G160M                UV           3000.64
24140062 lbe702ios  WD1057+719 ...   G160M                UV            3179.0
24843893 lbnm03010  WD1057+719 ...   G160M                UV          3200.768
24839998 la9r02010 WD-1057+719 ...   G160M                UV          3280.128
24843887 lbnm01050 WD-1057+719 ...   G160M                UV          3350.368
24843897 lbnm03050  WD1057+719 ...   G160M                UV            3700.8
24842491 lbek02010  WD1057+719 ...   G160M                UV            4252.0
24842492 lbek02020  WD1057+719 ...   G160M                UV 5401.599999999999
Length = 159 rows


The longest COS/FUV exposure with the G160M filter is:

 obsid     obs_id  target_name dataproduct_type instrument_name project filters wavelength_region     t_exptime    
-------- --------- ----------- ---------------- --------------- ------- ------- ----------------- -----------------
24842492 lbek02020  WD1057+719         spectrum         COS/FUV     HST   G160M                UV 5401.599999999999

Caution!

Please note that these queries are Astropy tables and do not always respond as expected for other data structures like Pandas DataFrames. For instance, the first way of filtering a table shown below is correct, but the second will consistently produce the wrong result. You must search and filter these tables by masking them, as in the first example below.

In [9]:
# Searching a table generated with a query
# First, correct way using masking
mask = (query_1['obs_id'] == 'lbbd01020')  # NOTE, obs_id must be lower-case
print("Correct way yields: \n", query_1[mask]['obs_id'], "\n\n")

# Second INCORRECT way
print("Incorrect way yields: \n",
      query_1['obs_id' == 'LBBD01020']['obs_id'], "\nwhich is NOT what we're looking for!")
Correct way yields: 
   obs_id 
---------
lbbd01020 


Incorrect way yields: 
 tess-s0014-4-3 
which is NOT what we're looking for!

2.3. Choosing and Downloading Data Products

Now we can choose and download our data products from the archive dataset.

We will first generate a list of data products in the dataset: product_list. This will generate a large list, but we will only show the first 10 values.

In [10]:
product_list = Observations.get_product_list(chosenObs)
product_list[:10]  # Not the whole dataset, just first 10 lines/observations
Out[10]:
Table masked=True length=10
obsIDobs_collectiondataproduct_typeobs_iddescriptiontypedataURIproductTypeproductGroupDescriptionproductSubGroupDescriptionproductDocumentationURLprojectprvversionproposal_idproductFilenamesizeparent_obsiddataRightscalib_level
str8str3str8str9str62str1str44str9str28str12str1str6str5str5str27int64str8str6int64
24842492HSTspectrumlbek02020DADS JIF fileDmast:HST/product/lbek02020_jif.fitsAUXILIARY--JIF--CALCOS--12086lbek02020_jif.fits21600024842492PUBLIC1
24842492HSTspectrumlbek02020DADS JIT fileDmast:HST/product/lbek02020_jit.fitsAUXILIARY--JIT--CALCOS--12086lbek02020_jit.fits27936024842492PUBLIC1
24842492HSTspectrumlbek02020DADS TRL file - Processing logDmast:HST/product/lbek02020_trl.fitsAUXILIARY--TRL--CALCOS--12086lbek02020_trl.fits864024842492PUBLIC1
24842492HSTspectrumlbek02020DADS X1S file - Summed 1D spectrum COSDmast:HST/product/lbek02020_x1dsum1.fitsAUXILIARY--X1DSUM1--CALCOS3.4.312086lbek02020_x1dsum1.fits181152024842492PUBLIC2
24842492HSTspectrumlbek02020DADS X2S file - Summed 1D spectrum COSDmast:HST/product/lbek02020_x1dsum2.fitsAUXILIARY--X1DSUM2--CALCOS3.4.312086lbek02020_x1dsum2.fits181152024842492PUBLIC2
24842492HSTspectrumlbek02020DADS X3S file - Summed 1D spectrum COSDmast:HST/product/lbek02020_x1dsum3.fitsAUXILIARY--X1DSUM3--CALCOS3.4.312086lbek02020_x1dsum3.fits181152024842492PUBLIC2
24842492HSTspectrumlbek02020DADS X4S file - Summed 1D spectrum COSDmast:HST/product/lbek02020_x1dsum4.fitsAUXILIARY--X1DSUM4--CALCOS3.4.312086lbek02020_x1dsum4.fits181152024842492PUBLIC2
24842492HSTspectrumlbek02020DADS ASN file - Association ACS/WFC3/STISDmast:HST/product/lbek02020_asn.fitsAUXILIARYMinimum Recommended ProductsASN--CALCOS3.4.312086lbek02020_asn.fits1152024842492PUBLIC3
24842492HSTspectrumlbek02020DADS LOG fileDmast:HST/product/lbek02020_log.txtINFO--LOG--CALCOS--12086lbek02020_log.txt114524842492PUBLIC1
24842492HSTspectrumlbek02020Preview-FullDmast:HST/product/lbek02020_x1dsum.pngPREVIEW------CALCOS3.4.312086lbek02020_x1dsum.png11165824842492PUBLIC3

Now, we will download just the minimum recommended products (mrp) which are the fully calibrated spectrum (denoted by the suffix _x1d or here x1dsum) and the association file (denoted by the suffix _asn). We do this by setting the parameter mrp_only to True. The association file contains no data, but rather the metadata explaining which exposures produced the x1dsum dataset. The x1dsum file is the final product summed across all of the fixed pattern noise positionsGratingOffsetPositions(FP-POS)) (FP-POS). The x1d and x1dsum<n> files are intermediate spectra. Much more information can be found in the COS Instrument Handbook.

We would set mrp_only to False, if we wanted to download all the data from the observation, including:

  • support files such as the spacecraft's pointing data over time (jit files).
  • intermediate data products such as calibrated TIME-TAG data (corrtag or corrtag_a/corrtag_b files) and extracted 1-dimensional spectra averaged over exposures with a specific FP-POS value (x1dsum<n> files).

However, use caution with downloading all files, as in this case, setting mrp_only to False results in the transfer of 7 Gigabytes of data, which can take a long time to transfer and eat away at your computer's storage! In general, only download the files you need. On the other hand, often researchers will download only the raw data, so that they can process it for themselves. Since here we only need the final x1dsum and asn files, we only need to download 2 Megabytes.

In [11]:
downloads = Observations.download_products(product_list, download_dir=str(
    data_dir), extension='fits', mrp_only=True, cache=False)
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/lbek02020_asn.fits to data/mastDownload/HST/lbek02020/lbek02020_asn.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/lbek02020_x1dsum.fits to data/mastDownload/HST/lbek02020/lbek02020_x1dsum.fits ... [Done]

Exercise 2: Download the raw counts data on TRAPPIST-1

In the previous exercise, we found an observation COS took on TRAPPIST-1 system. In case you skipped Exercise 1, the observation's Dataset ID is LDLM40010.

Use Astroquery.mast to download the raw TIME-TAG data, rather than the x1d spectra files. See the COS Data Handbook Ch. 2 for details on TIME-TAG data files. Make sure to get the data from both segments of the FUV detector (i.e. both RAWTAG_A and RAWTAG_B files). If you do this correctly, there should be five data files for each detector segment.

Note that some of the obs_id may appear in the table as slightly different, i.e.: ldlm40alq and ldlm40axq, rather than ldlm40010. The main obs_id they fall under is still ldlm40010, and this will still work as a search term. They are linked together by the association file described here in section 2.3.

In [12]:
# Your answer here

2.4. Using astroquery to find data on a series of sources

In this case, we'll look for COS data around several bright globular clusters:

  • Omega Centauri
  • M5
  • M13
  • M15
  • M53

We will first write a comma-separated-value (csv) file objectname_list.csv listing these sources by their common name. This is a bit redundant here, as we will immediately read back in what we have written; however it is done here to deliberately teach both sides of the writing/reading process, and as many users will find themselves with a csv sourcelist they must search.

In [13]:
# The 5 sources we want to look for
sourcelist = ['omega Centauri', 'M5', 'M13', 'M15', 'M53']
# measures the length of the list for if statements below
sourcelist_length = len(sourcelist)

with open('./objectname_list.csv', 'w') as f:  # Open this new file in "write" mode
    # We want a comma after each source name except the last one
    for i, item in enumerate(sourcelist):
        if i < sourcelist_length - 1:
            f.writelines(item + ",")
        if i == sourcelist_length - 1:  # No comma after the last entry
            f.writelines(item)
In [14]:
# Open the file we just wrote in "read" mode
with open('./objectname_list.csv', 'r', newline='') as csvFile:
    # This is the exact same list as `sourcelist`!
    objList = list(reader(csvFile, delimiter=','))[0]

print("The input csv file contained the following sources:\n", objList)

# Make a dictionary, where each source name (i.e. "M15") corresponds to a list of its observations with COS
globular_cluster_queries = {}
for obj in objList:  # each "obj" is a source name
    query_x = Observations.query_criteria(objectname=obj, radius="5 min", instrument_name=[
                                          'COS/FUV', 'COS/NUV'])  # query the area in +/- 5 arcminutes
    # add this entry to the dictionary
    globular_cluster_queries[obj] = (query_x)

globular_cluster_queries  # show the dictionary
The input csv file contained the following sources:
 ['omega Centauri', 'M5', 'M13', 'M15', 'M53']
Out[14]:
{'omega Centauri': <Table masked=True length=16>
 dataproduct_type calib_level obs_collection ...   objID1       distance     
       str8          int64         str3      ...    str9        float64      
 ---------------- ----------- -------------- ... --------- ------------------
            image           2            HST ... 144543939  94.47272986343471
            image           2            HST ... 144543950  97.04717859213693
            image           2            HST ... 144544756 295.35269365022396
         spectrum           1            HST ... 177259194  87.65983662909147
         spectrum           1            HST ... 177260726  87.65983662909147
         spectrum           1            HST ... 177263079  87.65983662909147
         spectrum           2            HST ... 177284801  97.04717859213693
            image           2            HST ... 177288207  294.8382904103309
            image           2            HST ... 177418817 293.85414993790886
         spectrum           3            HST ... 177620206  87.65983662909147
         spectrum           3            HST ... 177620211  97.04717859213693
         spectrum           3            HST ... 177621431  97.04717859213693
         spectrum           3            HST ... 177621432  94.47272986343471
         spectrum           3            HST ... 177629539  94.47272986343471
         spectrum           3            HST ... 177657025  87.65983662909147
         spectrum           2            HST ... 177838558  293.3788021390314,
 'M5': <Table masked=True length=5>
 dataproduct_type calib_level obs_collection ...   objID1       distance    
       str8          int64         str3      ...    str9        float64     
 ---------------- ----------- -------------- ... --------- -----------------
         spectrum           1            HST ... 177240627 51.62395577766772
         spectrum           1            HST ... 177240628 51.62395577766772
         spectrum           1            HST ... 177240639 51.62395577766772
         spectrum           3            HST ... 177610951 51.62395577766772
         spectrum           3            HST ... 177610713 51.62395577766772,
 'M13': <Table masked=True length=5>
 dataproduct_type calib_level obs_collection ...   objID1       distance     
       str8          int64         str3      ...    str9        float64      
 ---------------- ----------- -------------- ... --------- ------------------
         spectrum           1            HST ... 177231553 130.64769900000118
         spectrum           1            HST ... 177231556 130.64769900000118
         spectrum           1            HST ... 177231940 130.64769900000118
         spectrum           3            HST ... 177608079 130.64769900053992
         spectrum           3            HST ... 177730360 130.64769900053992,
 'M15': <Table masked=True length=10>
 dataproduct_type calib_level obs_collection ...   objID1       distance     
       str8          int64         str3      ...    str9        float64      
 ---------------- ----------- -------------- ... --------- ------------------
         spectrum           1            HST ... 177231418  99.67537720410724
         spectrum           1            HST ... 177231683  99.67537720410724
         spectrum           1            HST ... 177231692 27.096650306913773
         spectrum           1            HST ... 177238384 27.096650306913773
         spectrum           3            HST ... 177606150  99.67537720435718
         spectrum           3            HST ... 177607823  99.67537720435718
         spectrum           3            HST ... 177609816  27.09665030692082
         spectrum           3            HST ... 177727945  27.09665030692082
         spectrum           1            HST ... 177994650 27.096650306913773
         spectrum           1            HST ... 177997134  99.67537720410724,
 'M53': <Table masked=True length=3>
 dataproduct_type calib_level obs_collection ...   objID1       distance    
       str8          int64         str3      ...    str9        float64     
 ---------------- ----------- -------------- ... --------- -----------------
            image           2            HST ... 144560171  263.628661035198
         spectrum           3            HST ... 177709540 261.1902814694652
         spectrum           3            HST ... 177711632 261.1902814694652}

Excellent! You've now done the hardest part - finding and downloading the right data. From here, it's generally straightforward to read in and plot the spectrum. We recommend you look into our tutorial on Viewing a COS Spectrum.

Congratulations! You finished this Notebook!

There are more COS data walkthrough Notebooks on different topics. You can find them here.


About this Notebook

Author: Nat Kerman nkerman@stsci.edu

Updated On: 2022-09-20

This tutorial was generated to be in compliance with the STScI style guides and would like to cite the Jupyter guide in particular.

Citations

If you use astropy, matplotlib, astroquery, or numpy for published research, please cite the authors. Follow these links for more information about citations:


Top of Page Space Telescope Logo







Exercise Solutions:

Note, that for many of these, there are multiple ways to get an answer.

We will import:

  • numpy to handle array functions
  • astropy.table Table for creating tidy tables of the data
In [15]:
# Manipulating arrays
import numpy as np
# Reading in data
from astropy.table import Table
In [16]:
# Ex. 1 solution:
dataset_id_ = 'LDLM40010'
exptime_ = 12403.904
print(f"The TRAPPIST-1 COS data is in dataset {dataset_id_},"+
      f" taken with an exosure time of {exptime_}")
The TRAPPIST-1 COS data is in dataset LDLM40010, taken with an exosure time of 12403.904
In [17]:
# Ex. 2 solution:
query_3 = Observations.query_criteria(obs_id='LDLM40010',
                                      wavelength_region="UV", instrument_name="COS/FUV", filters='G130M')

product_list2 = Observations.get_product_list(query_3)
rawRowsA = np.where(product_list2['productSubGroupDescription'] == "RAWTAG_A")
rawRowsB = np.where(product_list2['productSubGroupDescription'] == "RAWTAG_B")
rawRows = np.append(rawRowsA, rawRowsB)
!mkdir ./data/Ex2/
downloads2 = Observations.download_products(product_list2[rawRows], download_dir=str(
    data_dir/'Ex2/'), extension='fits', mrp_only=False, cache=True)
downloads3 = Observations.download_products(product_list2, download_dir=str(
    data_dir/'Ex2/'), extension='fits', mrp_only=True, cache=True)

asn_data = Table.read(
    './data/Ex2/mastDownload/HST/ldlm40010/ldlm40010_asn.fits', hdu=1)
print(asn_data)
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldlm40alq_rawtag_a.fits to data/Ex2/mastDownload/HST/ldlm40alq/ldlm40alq_rawtag_a.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldlm40axq_rawtag_a.fits to data/Ex2/mastDownload/HST/ldlm40axq/ldlm40axq_rawtag_a.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldlm40blq_rawtag_a.fits to data/Ex2/mastDownload/HST/ldlm40blq/ldlm40blq_rawtag_a.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldlm40c2q_rawtag_a.fits to data/Ex2/mastDownload/HST/ldlm40c2q/ldlm40c2q_rawtag_a.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldlm40d2q_rawtag_a.fits to data/Ex2/mastDownload/HST/ldlm40d2q/ldlm40d2q_rawtag_a.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldlm40alq_rawtag_b.fits to data/Ex2/mastDownload/HST/ldlm40alq/ldlm40alq_rawtag_b.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldlm40axq_rawtag_b.fits to data/Ex2/mastDownload/HST/ldlm40axq/ldlm40axq_rawtag_b.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldlm40blq_rawtag_b.fits to data/Ex2/mastDownload/HST/ldlm40blq/ldlm40blq_rawtag_b.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldlm40c2q_rawtag_b.fits to data/Ex2/mastDownload/HST/ldlm40c2q/ldlm40c2q_rawtag_b.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldlm40d2q_rawtag_b.fits to data/Ex2/mastDownload/HST/ldlm40d2q/ldlm40d2q_rawtag_b.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldlm40010_asn.fits to data/Ex2/mastDownload/HST/ldlm40010/ldlm40010_asn.fits ... [Done]
Downloading URL https://mast.stsci.edu/api/v0.1/Download/file?uri=mast:HST/product/ldlm40010_x1dsum.fits to data/Ex2/mastDownload/HST/ldlm40010/ldlm40010_x1dsum.fits ... [Done]
   MEMNAME        MEMTYPE     MEMPRSNT
-------------- -------------- --------
     LDLM40ALQ         EXP-FP        1
     LDLM40AXQ         EXP-FP        1
     LDLM40BLQ         EXP-FP        1
     LDLM40C2Q         EXP-FP        1
     LDLM40D2Q         EXP-FP        1
     LDLM40010        PROD-FP        1