# To start, we install Rasterio, a Python module for interacting with gridded spatial data
!pip install rasterio
This notebook shows how to perform simple calculations with a GeoTIFF dataset using XArray and Dask. We load and rescale a Landsat 8 image and compute NDVI (Normalized difference vegetation index). This can be used to distinguish green vegetation from areas of bare land or water.
We'll use an image of the Denver, USA area taken in July 2018.
First, we download the dataset. We are using an image from the cloud-hosted Landsat 8 public dataset and each band is available as a separate GeoTIFF file.
import os
import json
import rasterio
import requests
import matplotlib.pyplot as plt
%matplotlib inline
nir_filename = 'https://landsat-pds.s3.amazonaws.com/c1/L8/033/033/LC08_L1TP_033033_20180706_20180717_01_T1/LC08_L1TP_033033_20180706_20180717_01_T1_B5.TIF'
red_filename = 'https://landsat-pds.s3.amazonaws.com/c1/L8/033/033/LC08_L1TP_033033_20180706_20180717_01_T1/LC08_L1TP_033033_20180706_20180717_01_T1_B4.TIF'
mtl_filename = 'https://landsat-pds.s3.amazonaws.com/c1/L8/033/033/LC08_L1TP_033033_20180706_20180717_01_T1/LC08_L1TP_033033_20180706_20180717_01_T1_MTL.json'
def download_file(in_filename, out_filename):
if not os.path.exists(out_filename):
print("Downloading", in_filename)
response = requests.get(in_filename)
with open(out_filename, 'wb') as f:
f.write(response.content)
download_file(nir_filename, 'nir.tif')
download_file(red_filename, 'red.tif')
download_file(mtl_filename, 'meta.json')
Let's see if the image is tiled so we can select a chunk size.
img = rasterio.open('red.tif')
print(img.is_tiled)
img.block_shapes
The image has separate blocks for each band with block size 512 x 512.
import xarray as xr
red = xr.open_rasterio('red.tif', chunks={'band': 1, 'x': 1024, 'y': 1024})
nir = xr.open_rasterio('nir.tif', chunks={'band': 1, 'x': 1024, 'y': 1024})
nir
Each dataset's data is a Dask array.
red.variable.data
You can start a Dask client to monitor execution with the dashboard.
import dask
from dask.distributed import Client
client = Client(processes=False)
client
The Landsat Level 1 images are delivered in a quantized format. This has to be converted to top-of-atmosphere reflectance using the provided metadata.
First we define convenience functions to load the rescaling factors and transform a dataset. The red band is band 4 and near infrared is band 5.
def load_scale_factors(filename, band_number):
with open(filename) as f:
metadata = json.load(f)
M_p = metadata['L1_METADATA_FILE'] \
['RADIOMETRIC_RESCALING'] \
['REFLECTANCE_MULT_BAND_{}'.format(band_number)]
A_p = metadata['L1_METADATA_FILE'] \
['RADIOMETRIC_RESCALING'] \
['REFLECTANCE_ADD_BAND_{}'.format(band_number)]
return M_p, A_p
def calculate_reflectance(ds, band_number, metafile='meta.json'):
M_p, A_p = load_scale_factors(metafile, band_number)
toa = M_p * ds + A_p
return toa
red_toa = calculate_reflectance(red, band_number=4)
nir_toa = calculate_reflectance(nir, band_number=5)
Because the transformation is composed of arithmetic operations, execution is delayed and the operations are parallelized automatically.
print(red_toa.variable.data)
The resulting image has floating point data with magnitudes appropriate to reflectance. This can be checked by computing the range of values in an image:
red_max, red_min, red_mean = dask.compute(
red_toa.max(dim=['x', 'y']),
red_toa.min(dim=['x', 'y']),
red_toa.mean(dim=['x', 'y'])
)
print(red_max.item())
print(red_min.item())
print(red_mean.item())
Now that we have the image as reflectance values, we are ready to compute NDVI.
$$ NDVI = \frac{NIR - Red}{NIR + Red} $$This highlights areas of healthy vegetation with high NDVI values, which appear as green in the image below.
ndvi = (nir_toa - red_toa) / (nir_toa + red_toa)
ndvi2d = ndvi.squeeze()
plt.figure()
im = ndvi2d.compute().plot.imshow(cmap='BrBG', vmin=-0.5, vmax=1)
plt.axis('equal')
plt.show()