Climatologies with ‘Coarsen’#

Scott Wales, CLEX CMS

A reasonably recent addition to Xarray is the ‘coarsen’ function, which allows you to resample a DataArray at a regular frequency. For well-behaved datasets this provides some interesting opportunities for optimisation, getting around the inefficiencies of ‘groupby’ from needing to work with arbitrary time spacings.

Let’s look at how ‘coarsen’ can be used to calculate a monthly climatology with less computational complexity than ‘groupby’ (note that this will only work with Conda analysis3 environment 21.07 or later)

import xarray
import glob

We’ll be looking at some monthly CMIP6 data from the ACCESS-ESM 1.5 model.

As always it’s a good idea to look at the chunking in the file before we try to process it, here’s a handy function for that

def file_chunks(path: str, var: str = None):
    """
    Return the internal file chunking of a NetCDF file
    
    If you pass in a glob pattern a single file matching that pattern will be checked
    
    Args:
        path: filename or glob pattern to check
        var: variable name to check (if more than one variable is in the file)
        
    Returns:
        dict mapping dimension name to chunk size
    """
    path = glob.glob(path)[0]
    
    if var is None:
        da = xarray.open_dataarray(path)
    else:
        da = xarray.open_dataset(path)[var]
        
    return dict(zip(da.dims, da.encoding['chunksizes']))

The chunking in the file is the entire horizontal and vertical domain, with one timestep per chunk.

file_chunks('/g/data/fs38/publications/CMIP6/CMIP/CSIRO/ACCESS-ESM1-5/historical/r1i1p1f1/Amon/ta/gn/latest/*.nc', var='ta')
{'time': 1, 'plev': 19, 'lat': 144, 'lon': 192}

Using the file chunking results in pretty small dask chunks, so we’ll load 5 years (60 months) of data in a single dask chunk to get the size up around 100 mb

ta = xarray.open_mfdataset('/g/data/fs38/publications/CMIP6/CMIP/CSIRO/ACCESS-ESM1-5/historical/r1i1p1f1/Amon/ta/gn/latest/*.nc',
                           chunks={'time': 60, 'plev': 19, 'lat': 144, 'lon': 192}).ta

Groupby#

The simple way to make a climatology in Xarray is to use ‘groupby’. This is a really generic function that doesn’t assume that the time axis is regularly spaced - the data could start out daily and later on turn to monthly. Because of this it has a complex Task graph - when we opened the dataset there were 68 tasks, after a groupby climatology this has jumped up to 1028.

ta.groupby('time.month').mean().data
Array Chunk
Bytes 24.05 MiB 2.00 MiB
Shape (12, 19, 144, 192) (1, 19, 144, 192)
Count 1028 Tasks 12 Chunks
Type float32 numpy.ndarray
12 1 192 144 19

Coarsen and Construct#

Coarsen on the other hand is effectively an array reshape - rearranging a 1d vector of dates into a 2d array where year is along one axis and month along the other. Normally this happens behind the scenes, but you can make this explicit using .construct().

If your data has regular lengths (e.g. this won’t work for daily data on a Gregorian calendar, where some years have 365 days some 366) then this can be used to create a climatology by meaning out the year dimension after construct. You can see that the Task count is much simpler this way - only 147 Tasks.

Having a smaller task graph is good because it means there is less complexity in what the computer needs to do. It needs to read less often from disk, can re-use data better and is faster to start running when you compute the data with Dask.

ta.coarsen(time=12).construct(time=('year', 'month')).mean('year').data
Array Chunk
Bytes 24.05 MiB 24.05 MiB
Shape (12, 19, 144, 192) (12, 19, 144, 192)
Count 147 Tasks 1 Chunks
Type float32 numpy.ndarray
12 1 192 144 19

Calculating anomalies#

There’s an even larger difference between the two method’s task sizes when the climatology is subtracted from the original data to calculate an anomaly. Groupby is now at 3,824 tasks, while the coarsen method is only 181.

# Using 'groupby'
climatology = ta.groupby('time.month').mean()
anomaly = ta.groupby('time.month') - climatology

anomaly
<xarray.DataArray 'ta' (time: 1980, plev: 19, lat: 144, lon: 192)>
dask.array<getitem, shape=(1980, 19, 144, 192), dtype=float32, chunksize=(1, 19, 144, 192), chunktype=numpy.ndarray>
Coordinates:
  * time     (time) datetime64[ns] 1850-01-16T12:00:00 ... 2014-12-16T12:00:00
  * plev     (plev) float64 1e+05 9.25e+04 8.5e+04 7e+04 ... 1e+03 500.0 100.0
  * lat      (lat) float64 -89.38 -88.12 -86.88 -85.62 ... 86.88 88.12 89.38
  * lon      (lon) float64 0.9375 2.812 4.688 6.562 ... 353.4 355.3 357.2 359.1
    month    (time) int64 1 2 3 4 5 6 7 8 9 10 11 ... 2 3 4 5 6 7 8 9 10 11 12
# Using 'coarsen'
climatology = ta.coarsen(time=12).construct(time=('year', 'month')).mean('year')
anomaly = ta.coarsen(time=12).construct(time=('year', 'month')) - climatology

anomaly
<xarray.DataArray 'ta' (year: 165, month: 12, plev: 19, lat: 144, lon: 192)>
dask.array<sub, shape=(165, 12, 19, 144, 192), dtype=float32, chunksize=(5, 12, 19, 144, 192), chunktype=numpy.ndarray>
Coordinates:
    time     (year, month) datetime64[ns] 1850-01-16T12:00:00 ... 2014-12-16T...
  * plev     (plev) float64 1e+05 9.25e+04 8.5e+04 7e+04 ... 1e+03 500.0 100.0
  * lat      (lat) float64 -89.38 -88.12 -86.88 -85.62 ... 86.88 88.12 89.38
  * lon      (lon) float64 0.9375 2.812 4.688 6.562 ... 353.4 355.3 357.2 359.1
Dimensions without coordinates: year, month

Note however that the ‘coarsen’ method has left us with separate year and month axes in the resulting dataset. Combining them back together into a normal time axis is unfortunately not as simple as running ‘coarsen’ - you have to combine them back into one dimension with ‘stack’, discard the values from that new dimension, rename the dimension to ‘time’ so it picks up the original values and then put all the dimensions back in their original order.

anomaly = anomaly.stack(t=('year', 'month')).drop('t').rename(t='time').transpose(*ta.dims)
anomaly.attrs['long_name'] = 'Air Temperature Anomaly'
anomaly.attrs['units'] = 'K'
anomaly
<xarray.DataArray 'ta' (time: 1980, plev: 19, lat: 144, lon: 192)>
dask.array<transpose, shape=(1980, 19, 144, 192), dtype=float32, chunksize=(60, 19, 144, 192), chunktype=numpy.ndarray>
Coordinates:
  * time     (time) datetime64[ns] 1850-01-16T12:00:00 ... 2014-12-16T12:00:00
  * plev     (plev) float64 1e+05 9.25e+04 8.5e+04 7e+04 ... 1e+03 500.0 100.0
  * lat      (lat) float64 -89.38 -88.12 -86.88 -85.62 ... 86.88 88.12 89.38
  * lon      (lon) float64 0.9375 2.812 4.688 6.562 ... 353.4 355.3 357.2 359.1
Attributes:
    long_name:  Air Temperature Anomaly
    units:      K
anomaly[0,10,:,:].plot()
/g/data/hh5/public/apps/miniconda3/envs/analysis3-21.07/lib/python3.9/site-packages/dask/array/numpy_compat.py:41: RuntimeWarning: invalid value encountered in true_divide
  x = np.divide(x1, x2, out)
<matplotlib.collections.QuadMesh at 0x7fc4abf66a30>
../_images/bf4b6ce638e69cace194d4b3f6c705d8cc645070f8a26386f27db46e39426fd4.png