Strategies to Efficiently Work with NEOWISE Single-exposure Source Table in Parquet¶
This notebook discusses strategies for working with the Apache Parquet version of the NEOWISE Single-exposure Source Table and provides the basic code needed for each approach. This is a very large catalog -- 10 years and 40 terabytes in total with 145 columns and 200 billion rows. Most of the work shown in this notebook is how to efficiently deal with so much data.
Learning Goals:
- Identify use cases that will benefit most from using this Parquet format.
- Understand how this dataset is organized and three different ways to efficiently slice it in order to obtain a subset small enough to load into memory and process.
- Feel prepared to apply these methods to a new use case and determine efficient filtering and slicing options.
1. Introduction¶
The NEOWISE Single-exposure Source Table comprises 10 years of data. Each year on its own would be considered "large" compared to astronomy catalogs produced contemporaneously, so working with the full dataset requires extra consideration. In this Parquet version, each year is stored as an independent Parquet dataset. This tutorial shows how to combine them and work with all years as one. The data are partitioned by HEALPix (Górski et al., 2005) order k=5. HEALPix is a tessellation of the sky, so partitioning the dataset this way makes it especially efficient for spatial queries. In addition, the access methods shown below are expected to perform well when parallelized.
The terms "partition", "filter", and "slice" all relate to subsets of data.
In this notebook we'll use them with definitions that overlap but are not identical, as follows.
A "partition" includes all data observed in a single HEALPix pixel.
This data is grouped together in the Parquet files.
A "filter" is a set of criteria defined by the user and applied when reading data so that only the desired rows are loaded.
We'll use it exclusively to refer to a PyArrow filter
.
The criteria can include partitions and/or any other column in the dataset.
A "slice" is a generic subset of data.
There are a few ways to obtain a slice; one is by applying a filter.
This notebook is expected to require about 2 CPUs and 50G RAM and to complete in about 10 minutes. These estimates are based on testing in science platform environments. Your numbers will vary based on many factors including compute power, bandwidth, and physical distance from the data. The required RAM and runtime can be reduced by limiting the number of NEOWISE years loaded.
1.1 When to use the Parquet version¶
IRSA provides large catalogs in file formats (e.g., Parquet) primarily to support use cases that require bulk access. The Parquet version of the NEOWISE Source Table, coupled with the methods demonstrated in this tutorial, are expected to be the most efficient option for large-ish use cases like classifying, clustering, or building light curves for many objects. In general, the efficiency will increase with the number of rows required from each slice because the slice only needs to be searched once regardless of the number of rows that are actually loaded. In addition, this access route tends to perform well when parallelized. Note that these use cases (including this notebook) are often too large for a laptop and may perform poorly and/or crash if attempted.
For small-ish use cases like searching for a handful of objects, other access routes like PyVO and TAP queries will be faster.
Consider using this tutorial if either of the following is true:
- Your use case is large enough that you are considering parallelizing your code to speed it up.
- Your sample size is large enough that loading the data using a different method is likely to take hours, days, or longer.
1.2 Recommended approach¶
The basic process is:
- Load the catalog metadata as a PyArrow dataset.
- Decide how to slice the dataset (e.g., by year, partition, and/or file) depending on your use case.
- Iterate and/or parallelize over the slices. For each slice:
- Use the PyArrow dataset to load data of interest, applying row filters during the read.
- Process the data as you like (e.g., cluster, classify, etc.).
- Write your results to disk and/or return them for further processing.
- (Optional) Concatenate your results and continue processing.
This notebook covers steps 1 through 3.A and indicates where to insert your own code to proceed with 3.B. Here we iterate over slices, but the same code can be parallelized using any multi-processing framework. A fully-worked example is shown in the light curve notebook linked below.
2. Imports¶
# Uncomment the next line to install dependencies if needed.
# !pip install hpgeom pandas pyarrow
import re # parse strings
import sys # check size of loaded data
import hpgeom # HEALPix math
import pandas as pd # store and manipulate table data
import pyarrow.compute # construct dataset filters
import pyarrow.dataset # load and query the NEOWISE dataset
import pyarrow.fs # interact with the S3 bucket storing the NEOWISE catalog
Choose which NEOWISE years to include. Expect the notebook to require about 4G RAM and 1 minute of runtime per year.
# All NEOWISE years => about 40G RAM and 10 minutes runtime
YEARS = list(range(1, 11))
# To reduce the needed RAM or runtime, uncomment the next line and choose your own years.
# Years 1 and 9 are needed for the median_file and biggest_file (defined below).
# YEARS = [1, 9]
Column and partition variables:
# subset of columns to load
flux_columns = ["w1flux", "w1sigflux", "w2flux", "w2sigflux"]
COLUMN_SUBSET = ["cntr", "source_id", "ra", "dec"] + flux_columns
# partitioning info. do not change these values.
K = 5 # healpix order of the catalog partitioning
KCOLUMN = "healpix_k5" # partitioning column name
KFIELD = pyarrow.compute.field(KCOLUMN) # pyarrow compute field, to be used in filters
Paths:
# We're going to look at several different files, so make a function to return the path.
def neowise_path(year, file="_metadata"):
"""Return the path to a file. Default is "_metadata" file of the given year's dataset.
Parameters
----------
year : int
NEOWISE year for which the path is being generated.
file : str
The name of the file to the returned path.
Returns
-------
str
The path to the file.
"""
# This information can be found at https://irsa.ipac.caltech.edu/cloud_access/.
bucket = "nasa-irsa-wise"
base_prefix = "wise/neowiser/catalogs/p1bs_psd/healpix_k5"
root_dir = f"{bucket}/{base_prefix}/year{year}/neowiser-healpix_k5-year{year}.parquet"
return f"{root_dir}/{file}"
Some representative partitions and files (see dataset stats in the Appendix for how we determine these values):
# pixel index of the median partition and the biggest partition by number of rows
median_part = 10_936
biggest_part = 8_277
# path to the median file and the biggest file by file size on disk (see Appendix)
median_file = neowise_path(9, "healpix_k0=3/healpix_k5=3420/part0.snappy.parquet")
biggest_file = neowise_path(1, "healpix_k0=2/healpix_k5=2551/part0.snappy.parquet")
Convenience function for displaying a table size:
# We'll use this function throughout the notebook to see how big different tables are.
def print_table_size(table, pixel_index=None):
"""Prints the shape (rows x columns) and size (GiB) of the given table.
Parameters
----------
table : pyarrow.Table
The table for which to print the size.
pixel_index : int or str or None
The pixel index corresponding to the partition this table was loaded from.
"""
if pixel_index is not None:
print(f"pixel index: {pixel_index}")
print(f"table shape: {table.num_rows:,} rows x {table.num_columns} columns")
print(f"table size: {sys.getsizeof(table) / 1024**3:.2f} GiB")
3.2 Load NEOWISE metadata as a pyarrow dataset¶
The metadata contains column names, schema, and row-group statistics for every file in the dataset. Later, we will use this pyarrow dataset object to slice and query the catalog in several different ways.
# This catalog is so big that even the metadata is big.
# Expect this cell to take about 30 seconds per year.
fs = pyarrow.fs.S3FileSystem(region="us-west-2", anonymous=True)
# list of datasets, one per year
year_datasets = [
pyarrow.dataset.parquet_dataset(neowise_path(yr), filesystem=fs, partitioning="hive")
for yr in YEARS
]
# unified dataset, all years
neowise_ds = pyarrow.dataset.dataset(year_datasets)
neowise_ds
is a UnionDataset.
All methods demonstrated for pyarrow datasets in the AllWISE demo notebook can be used with
neowise_ds
and will be applied to all years as if they were a single dataset.
In addition, a separate Dataset
for each year is stored in the list attribute neowise_ds.children
(== year_datasets
, loaded above),
and the same methods can be applied to them individually.
4. Example: Slice by partition¶
This example shows how to load data from each partition separately.
The actual "slicing" is done by applying a filter to the pyarrow dataset neowise_ds
.
Constructing filters was discussed in the AllWISE notebook linked above.
# number of order K pixels covering the full sky
npixels = hpgeom.nside_to_npixel(hpgeom.order_to_nside(order=K))
# iterate over all partitions
for pix in range(npixels):
# slice and load to get all rows in this partition, subset of columns
pixel_tbl = neowise_ds.to_table(filter=(KFIELD == pix), columns=COLUMN_SUBSET)
# insert your code here to continue processing
# we'll just print the table size to get a sense of how much data has been loaded
print_table_size(table=pixel_tbl, pixel_index=pix)
# when done, you may want to delete pixel_tbl to free the memory
del pixel_tbl
# we'll stop after one partition
break
pixel index: 0 table shape: 8,168,397 rows x 8 columns table size: 0.58 GiB
pixel_tbl
is a (pyarrow) Table
containing all NEOWISE sources with an ra/dec falling within HEALPix order 5 pixel pix
.
Use pixel_tbl.to_pandas()
to convert the table to a pandas dataframe.
How big are the partitions? (see Appendix for details)
# median partition
median_part_tbl = neowise_ds.to_table(
filter=(KFIELD == median_part), columns=COLUMN_SUBSET
)
print_table_size(table=median_part_tbl, pixel_index=median_part)
pixel index: 10936 table shape: 12,436,184 rows x 8 columns table size: 0.89 GiB
Often only a few columns are needed for processing, so most partitions will fit comfortably in memory. (The recommended maximum for an in-memory table/dataframe is typically 1GB, but there is no strict upper limit -- performance will depend on the compute resources available.)
However, beware that the largest partitions are quite large:
# biggest partition
# this is very large, so we'll restrict the number of columns to one
biggest_part_tbl = neowise_ds.to_table(
filter=(KFIELD == biggest_part), columns=COLUMN_SUBSET[:1]
)
print_table_size(table=biggest_part_tbl, pixel_index=biggest_part)
# Additional filters can be included to reduce the number of rows if desired.
# Another option is to load individual files.
pixel index: 8277 table shape: 499,017,376 rows x 1 columns table size: 3.77 GiB
# cleanup
del median_part_tbl
del biggest_part_tbl
5. Example: Slice by file¶
If you don't need data for all years at the same time, you may want to load individual files. Generally, there is 1 file per partition per year, but a few partitions are as large as 6+ files per year. Most of the files are about 0.3GB (compressed on disk) but about 1% are > 1GB. Thus it should be reasonable to load at least a subset of columns for every row in a file.
The actual "slicing" here is done by using neowise_ds
to access a
dataset Fragment
(frag
in the code below) which represents a single file.
# slice by file and iterate
for frag in neowise_ds.get_fragments():
# load the slice to get every row in the file, subset of columns
file_tbl = frag.to_table(columns=COLUMN_SUBSET)
# insert your code here to continue processing the file as desired
# if you need to see which file this is, parse the path
print(f"file path: {frag.path}")
# let's see how much data this loaded
print_table_size(table=file_tbl)
# again, we'll stop after one
del file_tbl
break
file path: nasa-irsa-wise/wise/neowiser/catalogs/p1bs_psd/healpix_k5/year1/neowiser-healpix_k5-year1.parquet/healpix_k0=0/healpix_k5=0/part0.snappy.parquet table shape: 732,246 rows x 8 columns table size: 0.05 GiB
This can be combined with the previous example to iterate over the files in a single partition (left as an exercise for the reader).
How big are the files?
# median file
median_file_frag = [
frag for frag in neowise_ds.get_fragments() if frag.path == median_file
][0]
median_file_tbl = median_file_frag.to_table(columns=COLUMN_SUBSET)
print_table_size(table=median_file_tbl)
table shape: 1,254,763 rows x 8 columns table size: 0.09 GiB
# biggest file
biggest_file_frag = [
frag for frag in neowise_ds.get_fragments() if frag.path == biggest_file
][0]
biggest_file_tbl = biggest_file_frag.to_table(columns=COLUMN_SUBSET)
print_table_size(table=biggest_file_tbl)
table shape: 6,000,000 rows x 8 columns table size: 0.43 GiB
# cleanup
del median_file_tbl
del biggest_file_tbl
6. Example: Slice by year¶
If you want to handle the years independently you can work with the per-year datasets.
We actually created these "slices" in the Setup section with year_datasets
, and that
same list is now accessible in neowise_ds.children
used below.
Any of the techniques shown in this notebook or those listed under "See also" can also
be applied to the per-year datasets.
# slice by year and iterate. zip with YEARS so that we know which slice this is.
for year, year_ds in zip(YEARS, neowise_ds.children):
# insert your code here to process year_ds as desired.
# filter and load, iterate over partitions or files, etc.
# we'll just look at some basic metadata.
num_rows = sum(frag.metadata.num_rows for frag in year_ds.get_fragments())
num_files = len(year_ds.files)
print(f"NEOWISE year {year} dataset: {num_rows:,} rows in {num_files:,} files")
NEOWISE year 1 dataset: 18,468,575,586 rows in 12,441 files NEOWISE year 2 dataset: 19,691,230,571 rows in 12,432 files NEOWISE year 3 dataset: 19,631,135,692 rows in 12,412 files NEOWISE year 4 dataset: 19,098,199,664 rows in 12,389 files NEOWISE year 5 dataset: 18,795,708,783 rows in 12,361 files NEOWISE year 6 dataset: 18,717,323,537 rows in 12,358 files NEOWISE year 7 dataset: 18,784,693,939 rows in 12,355 files NEOWISE year 8 dataset: 18,668,416,994 rows in 12,355 files NEOWISE year 9 dataset: 18,650,186,132 rows in 12,355 files NEOWISE year 10 dataset: 18,371,369,954 rows in 12,343 files
Appendix¶
A.1 Considerations when extending to specific use cases¶
Because the catalog is so large, you will need to carefully consider your specific problem and determine how to slice and filter the data most efficiently. There is no one right answer; it will depend on the use case.
A.1.1 Filtering¶
Filter out as much data as possible as early as possible. Ideas to consider are:
- With the Parquet file format, you can apply filters during the read to avoid loading
rows that you don't need.
- Pandas (not demonstrated here) supports basic filters.
- PyArrow (demonstrated here) also supports complex filters which allow you to compare values between columns and/or construct new columns on the fly (e.g., subtracting magnitude columns to construct a new color column, as done in the AllWISE notebook).
- Queries (i.e., loading data by applying filters) will be much more efficient when they
include a filter on the partitioning column ('healpix_k5'; demonstrated above).
- Notice both that this is essentially equivalent to slicing by partition and that you can filter for more than one partition at a time.
- This is highly recommended even if your use case doesn't explicitly care about it. Exceptions include situations where you're working with individual files and when it's impractical or counterproductive for the science.
- You should also include filters specific to your use case if possible.
- Exceptions: Sometimes it's not easy to write a dataset filter for the query.
A cone search is a common example.
In principal it could be written as a PyArrow dataset filter, but in practice the correct
formula is much too complicated.
In this case, it's easier to write dataset filters for broad RA and Dec limits and then
do the actual cone search using
astropy
. This approach is still quite performant (see the NEOWISE light curves notebook).
A.1.2 Slicing¶
Slice the dataset in some way(s), then iterate and/or parallelize over the slices. Ideas to consider are:
- Choose your slices so that you can:
- Run your processing code on one slice independently. For example, if your code must see all the data for some target object (RA and Dec) at the same time, you may slice the dataset by partition, but don't slice it by year.
- Load all data in the slice into memory at once (after applying your filters during the read). This notebook shows how to determine how big a slice of data is in order to guide this decision.
- By default, slice by partition. If this is too much data, you may also want to slice by year and/or file.
- If you have enough memory to load more than one slice simultaneously, parallelize over the slices to speed up your code.
A.2 Inspect dataset stats¶
When deciding how to slice and filter the dataset, it can be useful to understand dataset statistics like partition and file sizes.
def pixel_index_from_path(path, k_column=KCOLUMN):
"""Parse the path and return the partition pixel index.
Parameters
----------
path : str
The path to parse.
k_column : str (optional)
Name of the partitioning column.
Returns
-------
int
The partition pixel index parsed from the path.
"""
pattern = rf"({k_column}=)([0-9]+)" # matches strings like "healpix_k5=1124"
return int(re.search(pattern, path).group(2)) # pixel index, e.g., 1124
# load some file statistics to a dataframe
file_stats = pd.DataFrame(
columns=["path", KCOLUMN, "numrows"],
data=[
(frag.path, pixel_index_from_path(frag.path), frag.metadata.num_rows)
for frag in neowise_ds.get_fragments()
],
)
file_stats.sample(5)
path | healpix_k5 | numrows | |
---|---|---|---|
93759 | nasa-irsa-wise/wise/neowiser/catalogs/p1bs_psd... | 11107 | 1018876 |
85366 | nasa-irsa-wise/wise/neowiser/catalogs/p1bs_psd... | 9896 | 2205612 |
54579 | nasa-irsa-wise/wise/neowiser/catalogs/p1bs_psd... | 2854 | 1684879 |
15563 | nasa-irsa-wise/wise/neowiser/catalogs/p1bs_psd... | 11314 | 1431282 |
21611 | nasa-irsa-wise/wise/neowiser/catalogs/p1bs_psd... | 7065 | 795424 |
file_stats.describe()
healpix_k5 | numrows | |
---|---|---|
count | 123801.000000 | 1.238010e+05 |
mean | 6148.046195 | 1.525649e+06 |
std | 3541.936107 | 8.612344e+05 |
min | 0.000000 | 2.493900e+04 |
25% | 3078.000000 | 9.297430e+05 |
50% | 6155.000000 | 1.254763e+06 |
75% | 9216.000000 | 1.848016e+06 |
max | 12287.000000 | 6.000000e+06 |
A.2.1 Dataset statistics per file¶
# visualize distribution of file sizes (number of rows)
ax = file_stats.numrows.hist(log=True)
ax.set_xlabel("Number of rows")
ax.set_ylabel("Number of files")
Text(0, 0.5, 'Number of files')
# largest file
file_stats.loc[file_stats.numrows == file_stats.numrows.max()].head(1)
path | healpix_k5 | numrows | |
---|---|---|---|
4599 | nasa-irsa-wise/wise/neowiser/catalogs/p1bs_psd... | 2551 | 6000000 |
# median file
file_stats.sort_values("numrows").iloc[len(file_stats.index) // 2]
path nasa-irsa-wise/wise/neowiser/catalogs/p1bs_psd... healpix_k5 3420 numrows 1254763 Name: 102327, dtype: object
A.2.2 Dataset statistics per partition¶
# get stats per partition
k_groups = file_stats[[KCOLUMN, "numrows"]].groupby(KCOLUMN)
per_part = k_groups.sum()
per_part["numfiles"] = k_groups.count()
per_part.sample(5)
numrows | numfiles | |
---|---|---|
healpix_k5 | ||
69 | 8642941 | 10 |
7928 | 11136330 | 10 |
10027 | 22061921 | 10 |
2064 | 9294696 | 10 |
2798 | 12485587 | 10 |
per_part.describe()
numrows | numfiles | |
---|---|---|
count | 1.228800e+04 | 12288.000000 |
mean | 1.537084e+07 | 10.074951 |
std | 1.231616e+07 | 1.563031 |
min | 6.844274e+06 | 10.000000 |
25% | 9.511571e+06 | 10.000000 |
50% | 1.243604e+07 | 10.000000 |
75% | 1.863406e+07 | 10.000000 |
max | 4.990174e+08 | 87.000000 |
# visualize number of rows per partition
per_part.numrows.plot(
logy=True, xlabel=f"{KCOLUMN} pixel index", ylabel="Number of rows per partition"
)
<Axes: xlabel='healpix_k5 pixel index', ylabel='Number of rows per partition'>
# largest partition
per_part.loc[per_part.numrows == per_part.numrows.max()]
numrows | numfiles | |
---|---|---|
healpix_k5 | ||
8277 | 499017376 | 87 |
# median partition
per_part.sort_values("numrows").iloc[len(per_part.index) // 2]
numrows 12436184 numfiles 10 Name: 10936, dtype: int64
About this notebook:
- Author: Troy Raen (Applications Developer, IRSA) and the IPAC Science Platform team
- Contact: https://irsa.ipac.caltech.edu/docs/help_desk.html
- Updated: 2024-08-08