1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64
|
# coding: utf-8
import contextlib
import h5py
try:
import hdf5plugin # noqa F401
except ImportError:
pass
from silx.io.url import DataUrl
from silx.io.utils import open as open_hdf5
__all__ = ["EntryReader", "DatasetReader"]
class _BaseReader(contextlib.AbstractContextManager):
def __init__(self, url: DataUrl):
if not isinstance(url, DataUrl):
raise TypeError(f"url should be an instance of DataUrl. Not {type(url)}")
if url.scheme() not in ("silx", "h5py"):
raise ValueError("Valid scheme are silx and h5py")
if url.data_slice() is not None:
raise ValueError(
"Data slices are not managed. Data path should "
"point to a bliss node (h5py.Group)"
)
self._url = url
self._file_handler = None
def __exit__(self, *exc):
return self._file_handler.close()
class EntryReader(_BaseReader):
"""Context manager used to read a bliss node"""
def __enter__(self):
self._file_handler = open_hdf5(filename=self._url.file_path())
if self._url.data_path() == "":
entry = self._file_handler
elif self._url.data_path() not in self._file_handler:
raise KeyError(
f"data path '{self._url.data_path()}' doesn't exists from '{self._url.file_path()}'"
)
else:
entry = self._file_handler[self._url.data_path()]
if not isinstance(entry, h5py.Group):
raise ValueError("Data path should point to a bliss node (h5py.Group)")
return entry
class DatasetReader(_BaseReader):
"""Context manager used to read a bliss node"""
def __enter__(self):
self._file_handler = open_hdf5(filename=self._url.file_path())
entry = self._file_handler[self._url.data_path()]
if not isinstance(entry, h5py.Dataset):
raise ValueError(
f"Data path ({self._url.path()}) should point to a dataset (h5py.Dataset)"
)
return entry
|