Load a Sentinel 2 satellite GeoTIFF file and return it as an xarray datset.
Parameters:
-
fpath
(str | pathlib.Path
)
–
The path to the directory containing the TIFF files.
Returns:
Raises:
Source code in darts-acquisition/src/darts_acquisition/s2.py
| @stopuhr.funkuhr("Loading Sentinel 2 scene from file", printer=logger.debug, print_kwargs=True)
def load_s2_scene(fpath: str | Path) -> xr.Dataset:
"""Load a Sentinel 2 satellite GeoTIFF file and return it as an xarray datset.
Args:
fpath (str | Path): The path to the directory containing the TIFF files.
Returns:
xr.Dataset: The loaded dataset
Raises:
FileNotFoundError: If no matching TIFF file is found in the specified path.
"""
# Convert to Path object if a string is provided
fpath = fpath if isinstance(fpath, Path) else Path(fpath)
logger.debug(f"Loading Sentinel 2 scene from {fpath.resolve()}")
# Get imagepath
try:
s2_image = next(fpath.glob("*_SR*.tif"))
except StopIteration:
raise FileNotFoundError(f"No matching TIFF files found in {fpath.resolve()} (.glob('*_SR*.tif'))")
# Define band names and corresponding indices
s2_da = xr.open_dataarray(s2_image)
# Create a dataset with the bands
bands = ["blue", "green", "red", "nir"]
ds_s2 = s2_da.fillna(0).rio.write_nodata(0).astype("uint16").assign_coords({"band": bands}).to_dataset(dim="band")
for var in ds_s2.data_vars:
ds_s2[var].attrs["data_source"] = "s2"
ds_s2[var].attrs["long_name"] = f"Sentinel 2 {var.capitalize()}"
ds_s2[var].attrs["units"] = "Reflectance"
planet_crop_id, s2_tile_id, tile_id = parse_s2_tile_id(fpath)
ds_s2.attrs["planet_crop_id"] = planet_crop_id
ds_s2.attrs["s2_tile_id"] = s2_tile_id
ds_s2.attrs["tile_id"] = tile_id
return ds_s2
|