File size: 14,050 Bytes
12d2e9e |
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 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 |
"""
Copyright 2021, Dana-Farber Cancer Institute and Weill Cornell Medicine
License: GNU GPL 2.0
"""
import os
import tempfile
import anndata
import h5py
import numpy as np
from loguru import logger
import pathml.core
import pathml.core.masks
import pathml.core.tile
from pathml.core.utils import readcounts
class h5pathManager:
"""
Interface between slidedata object and data management on disk by h5py.
"""
def __init__(self, h5path=None, slidedata=None):
path = tempfile.TemporaryFile()
f = h5py.File(path, "w")
self.h5 = f
# keep a reference to the h5 tempfile so that it is never garbage collected
self.h5reference = path
# create temporary file for slidedata.counts
self.countspath = tempfile.TemporaryDirectory()
self.counts = anndata.AnnData()
if h5path:
assert (
not slidedata
), "if creating h5pathmanager from h5path, slidedata should not be required"
assert check_valid_h5path_format(
h5path
), "h5path must conform to .h5path standard, see documentation"
# copy h5path into self.h5
for ds in h5path.keys():
if ds in ["fields", "masks", "tiles"]:
h5path.copy(ds, self.h5)
if ds in ["counts"]:
h5path.copy(ds, self.h5)
if h5path["counts"].keys():
self.counts = readcounts(h5path["counts"])
self.counts.filename = (
str(self.countspath.name) + "/tmpfile.h5ad"
)
else:
assert slidedata, "must pass slidedata object to create h5path"
# initialize h5path file hierarchy
# fields
fieldsgroup = self.h5.create_group("fields")
# name, shape, labels
fieldsgroup.attrs["name"] = slidedata.name
fieldsgroup.attrs["shape"] = slidedata.slide.get_image_shape()
self.h5["fields"].create_group("labels")
if slidedata.labels:
for key, label in slidedata.labels.items():
self.h5["fields/labels"].attrs[key] = label
# slidetype
self.h5["fields"].create_group("slide_type")
if slidedata.slide_type:
for key, val in slidedata.slide_type.asdict().items():
self.h5["fields/slide_type"].attrs[key] = val
# tiles
tilesgroup = self.h5.create_group("tiles")
# initialize tile_shape with zeros
tilesgroup.attrs["tile_shape"] = b"(0, 0)"
# initialize stride with 0
tilesgroup.attrs["tile_stride"] = b"(0, 0)"
# masks
self.h5.create_group("masks")
# counts
self.h5.create_group("counts")
slide_type_dict = {
key: val for key, val in self.h5["fields/slide_type"].attrs.items()
}
self.slide_type = pathml.core.slide_types.SlideType(**slide_type_dict)
def __repr__(self):
rep = f"h5pathManager object, backing a SlideData object named '{self.h5['fields'].attrs['name']}'"
return rep
def add_tile(self, tile):
"""
Add a tile to h5path.
Args:
tile(pathml.core.tile.Tile): Tile object
"""
if str(tile.coords) in self.h5["tiles"].keys():
logger.info(f"Tile is already in tiles. Overwriting {tile.coords} inplace.")
# remove old cells from self.counts so they do not duplicate
if tile.counts:
if "tile" in self.counts.obs.keys():
self.counts = self.counts[self.counts.obs["tile"] != tile.coords]
# check that the tile matches tile_shape
existing_shape = eval(self.h5["tiles"].attrs["tile_shape"])
if all([s == 0 for s in existing_shape]):
# in this case, tile_shape isn't specified (zeros placeholder)
# so we set it from the tile image shape
self.h5["tiles"].attrs["tile_shape"] = str(tile.image.shape).encode("utf-8")
existing_shape = tile.image.shape
if any(
[s1 != s2 for s1, s2 in zip(tile.image.shape[0:2], existing_shape[0:2])]
):
raise ValueError(
f"cannot add tile of shape {tile.image.shape}. Must match shape of existing tiles: {existing_shape}"
)
if self.slide_type and tile.slide_type:
# check that slide types match
if tile.slide_type != self.slide_type:
raise ValueError(
f"tile slide_type {tile.slide_type} does not match existing slide_type {self.slide_type}"
)
elif not self.slide_type:
if tile.slide_type:
self.slide_type = tile.slide_type
# create a group for tile and write tile
if str(tile.coords) in self.h5["tiles"]:
logger.info(f"overwriting tile at {str(tile.coords)}")
del self.h5["tiles"][str(tile.coords)]
self.h5["tiles"].create_group(str(tile.coords))
self.h5["tiles"][str(tile.coords)].create_dataset(
"array",
data=tile.image,
chunks=True,
compression="gzip",
compression_opts=5,
shuffle=True,
dtype="float16",
)
# save tile_shape as an attribute to enforce consistency
if "tile_shape" not in self.h5["tiles"].attrs or (
"tile_shape" in self.h5["tiles"].attrs
and self.h5["tiles"].attrs["tile_shape"] == b"(0, 0)"
):
self.h5["tiles"].attrs["tile_shape"] = str(tile.image.shape).encode("utf-8")
if tile.masks:
# create a group to hold tile-level masks
if "masks" not in self.h5["tiles"][str(tile.coords)].keys():
self.h5["tiles"][str(tile.coords)].create_group("masks")
# add tile-level masks
for key, mask in tile.masks.items():
self.h5["tiles"][str(tile.coords)]["masks"].create_dataset(
str(key),
data=mask,
dtype="float16",
)
# add coords
self.h5["tiles"][str(tile.coords)].attrs["coords"] = (
str(tile.coords) if tile.coords else 0
)
# add name
self.h5["tiles"][str(tile.coords)].attrs["name"] = (
str(tile.name) if tile.name else 0
)
self.h5["tiles"][str(tile.coords)].create_group("labels")
if tile.labels:
for key, val in tile.labels.items():
self.h5["tiles"][str(tile.coords)]["labels"].attrs[key] = val
if tile.counts:
# cannot concatenate on disk, read into RAM, concatenate, write back to disk
if self.counts:
self.counts = self.counts.to_memory()
self.counts = self.counts.concatenate(tile.counts, join="outer")
del self.counts.obs["batch"]
self.counts.filename = os.path.join(
self.countspath.name + "/tmpfile.h5ad"
)
# cannot concatenate empty AnnData object so set to tile.counts then set filename
# so the h5ad object is backed by tempfile
else:
self.counts = tile.counts
self.counts.filename = str(self.countspath.name) + "/tmpfile.h5ad"
def get_tile(self, item):
"""
Retrieve tile from h5manager by key or index.
Args:
item(int, str, tuple): key or index of tile to be retrieved
Returns:
Tile(pathml.core.tile.Tile)
"""
if isinstance(item, bool):
raise KeyError("invalid key, pass str or tuple")
if isinstance(item, (str, tuple)):
item = str(item)
if item not in self.h5["tiles"].keys():
raise KeyError(f"key {item} does not exist")
elif isinstance(item, int):
if item > len(self.h5["tiles"].keys()) - 1:
raise IndexError(
f'index {item} out of range for total number of tiles: {len(self.h5["tiles"].keys())}'
)
item = list(self.h5["tiles"].keys())[item]
else:
raise KeyError(
f"invalid item type: {type(item)}. must getitem by coord (type tuple[int]), index (type int), or name (type str)"
)
tile = self.h5["tiles"][item]["array"][:]
# add masks to tile if there are masks
if "masks" in self.h5["tiles"][item].keys():
masks = {
mask: self.h5["tiles"][item]["masks"][mask][:]
for mask in self.h5["tiles"][item]["masks"]
}
else:
masks = None
labels = {
key: val for key, val in self.h5["tiles"][item]["labels"].attrs.items()
}
name = self.h5["tiles"][item].attrs["name"]
if name == "None" or name == 0:
name = None
coords = eval(self.h5["tiles"][item].attrs["coords"])
return pathml.core.tile.Tile(
tile,
masks=masks,
labels=labels,
name=name,
coords=coords,
slide_type=self.slide_type,
)
def remove_tile(self, key):
"""
Remove tile from self.h5 by key.
"""
if not isinstance(key, (str, tuple)):
raise KeyError("key must be str or tuple, check valid keys in repr")
if str(key) not in self.h5["tiles"].keys():
raise KeyError(f"key {key} is not in Tiles")
del self.h5["tiles"][str(key)]
def add_mask(self, key, mask):
"""
Add mask to h5.
This manages **slide-level masks**.
Args:
key(str): mask key
mask(np.ndarray): mask array
"""
if not isinstance(mask, np.ndarray):
raise ValueError(
f"can not add {type(mask)}, mask must be of type np.ndarray"
)
if not isinstance(key, str):
raise ValueError(f"invalid type {type(key)}, key must be of type str")
if key in self.h5["masks"].keys():
raise ValueError(
f"key {key} already exists in 'masks'. Cannot add. Must update to modify existing mask."
)
self.h5["masks"].create_dataset(key, data=mask)
def update_mask(self, key, mask):
"""
Update a mask.
Args:
key(str): key indicating mask to be updated
mask(np.ndarray): mask
"""
if key not in self.h5["masks"].keys():
raise ValueError(f"key {key} does not exist. Must use add.")
assert self.h5["masks"][key].shape == mask.shape, (
f"Cannot update a mask of shape {self.h5['masks'][key].shape}"
f" with a mask of shape {mask.shape}. Shapes must match."
)
self.h5["masks"][key][...] = mask
def slice_masks(self, slicer):
"""
Generator slicing all tiles, extending numpy array slicing.
Args:
slicer: List where each element is an object of type slice https://docs.python.org/3/c-api/slice.html
indicating how the corresponding dimension should be sliced. The list length should correspond to the
dimension of the tile. For 2D H&E images, pass a length 2 list of slice objects.
Yields:
key(str): mask key
val(np.ndarray): mask
"""
for key in self.h5["masks"].keys():
yield key, self.get_mask(key, slicer=slicer)
def get_mask(self, item, slicer=None):
# must check bool separately, since isinstance(True, int) --> True
if isinstance(item, bool) or not (
isinstance(item, str) or isinstance(item, int)
):
raise KeyError(f"key of type {type(item)} must be of type str or int")
if isinstance(item, str):
if item not in self.h5["masks"].keys():
raise KeyError(f"key {item} does not exist")
if slicer is None:
return self.h5["masks"][item][:]
return self.h5["masks"][item][:][tuple(slicer)]
else:
try:
mask_key = list(self.h5.keys())[item]
except IndexError:
raise ValueError(
f"index out of range, valid indices are ints in [0,{len(self.h5['masks'].keys())}]"
)
if slicer is None:
return self.h5["masks"][mask_key][:]
return self.h5["masks"][mask_key][:][tuple(slicer)]
def remove_mask(self, key):
"""
Remove mask by key.
Args:
key(str): key indicating mask to be removed
"""
if not isinstance(key, str):
raise KeyError(
f"masks keys must be of type(str) but key was passed of type {type(key)}"
)
if key not in self.h5["masks"].keys():
raise KeyError("key is not in Masks")
del self.h5["masks"][key]
def get_slidetype(self):
slide_type_dict = {
key: val for key, val in self.h5["fields/slide_type"].items()
}
return pathml.core.slide_types.SlideType(**slide_type_dict)
def check_valid_h5path_format(h5path):
"""
Assert that the input h5path matches the expected h5path file format.
Args:
h5path: h5py file object
Returns:
bool: True if the input matches expected format
"""
assert set(h5path.keys()) == {"fields", "masks", "counts", "tiles"}
assert set(h5path["fields"].keys()) == {"labels", "slide_type"}
assert set(h5path["fields"].attrs.keys()) == {"name", "shape"}
assert set(h5path["tiles"].attrs.keys()) == {"tile_shape", "tile_stride"}
# slide_type attributes are not enforced
return True
|