| | from __future__ import annotations |
| |
|
| | import multiprocessing |
| | import multiprocessing.synchronize |
| | from multiprocessing.managers import SharedMemoryManager |
| | from multiprocessing.shared_memory import SharedMemory |
| | from typing import Any, TYPE_CHECKING, Generic, Optional, Tuple, TypeVar, Union |
| |
|
| | import numpy as np |
| | import numpy.typing as npt |
| | from umi.common.nested_dict_util import nested_dict_check, nested_dict_map |
| |
|
| |
|
| | SharedMemoryLike = Union[str, SharedMemory] |
| | SharedT = TypeVar("SharedT", bound=np.generic) |
| |
|
| |
|
| | class SharedNDArray(Generic[SharedT]): |
| | """Class to keep track of and retrieve the data in a shared array |
| | Attributes |
| | ---------- |
| | shm |
| | SharedMemory object containing the data of the array |
| | shape |
| | Shape of the NumPy array |
| | dtype |
| | Type of the NumPy array. Anything that may be passed to the `dtype=` argument in `np.ndarray`. |
| | lock |
| | (Optional) multiprocessing.Lock to manage access to the SharedNDArray. This is only created if |
| | lock=True is passed to the constructor, otherwise it is set to `None`. |
| | A SharedNDArray object may be created either directly with a preallocated shared memory object plus the |
| | dtype and shape of the numpy array it represents: |
| | >>> from multiprocessing.shared_memory import SharedMemory |
| | >>> import numpy as np |
| | >>> from shared_ndarray2 import SharedNDArray |
| | >>> x = np.array([1, 2, 3]) |
| | >>> shm = SharedMemory(name="x", create=True, size=x.nbytes) |
| | >>> arr = SharedNDArray(shm, x.shape, x.dtype) |
| | >>> arr[:] = x[:] # copy x into the array |
| | >>> print(arr[:]) |
| | [1 2 3] |
| | >>> shm.close() |
| | >>> shm.unlink() |
| | Or using a SharedMemoryManager either from an existing array or from arbitrary shape and nbytes: |
| | >>> from multiprocessing.managers import SharedMemoryManager |
| | >>> mem_mgr = SharedMemoryManager() |
| | >>> mem_mgr.start() # Better yet, use SharedMemoryManager context manager |
| | >>> arr = SharedNDArray.from_shape(mem_mgr, x.shape, x.dtype) |
| | >>> arr[:] = x[:] # copy x into the array |
| | >>> print(arr[:]) |
| | [1 2 3] |
| | >>> # -or in one step- |
| | >>> arr = SharedNDArray.from_array(mem_mgr, x) |
| | >>> print(arr[:]) |
| | [1 2 3] |
| | `SharedNDArray` does not subclass numpy.ndarray but rather generates an ndarray on-the-fly in get(), |
| | which is used in __getitem__ and __setitem__. Thus to access the data and/or use any ndarray methods |
| | get() or __getitem__ or __setitem__ must be used |
| | >>> arr.max() # ERROR: SharedNDArray has no `max` method. |
| | Traceback (most recent call last): |
| | .... |
| | AttributeError: SharedNDArray object has no attribute 'max'. To access NumPy ndarray object use .get() method. |
| | >>> arr.get().max() # (or arr[:].max()) OK: This gets an ndarray on which we can operate |
| | 3 |
| | >>> y = np.zeros(3) |
| | >>> y[:] = arr # ERROR: Cannot broadcast-assign a SharedNDArray to ndarray `y` |
| | Traceback (most recent call last): |
| | ... |
| | ValueError: setting an array element with a sequence. |
| | >>> y[:] = arr[:] # OK: This gets an ndarray that can be copied element-wise to `y` |
| | >>> mem_mgr.shutdown() |
| | """ |
| |
|
| | shm: SharedMemory |
| | |
| | dtype: np.dtype |
| | lock: Optional[multiprocessing.synchronize.Lock] |
| |
|
| | def __init__( |
| | self, shm: SharedMemoryLike, shape: Tuple[int, ...], dtype: npt.DTypeLike |
| | ): |
| | """Initialize a SharedNDArray object from existing shared memory, object shape, and dtype. |
| | To initialize a SharedNDArray object from a memory manager and data or shape, use the `from_array() |
| | or `from_shape()` classmethods. |
| | Parameters |
| | ---------- |
| | shm |
| | `multiprocessing.shared_memory.SharedMemory` object or name for connecting to an existing block |
| | of shared memory (using SharedMemory constructor) |
| | shape |
| | Shape of the NumPy array to be represented in the shared memory |
| | dtype |
| | Data type for the NumPy array to be represented in shared memory. Any valid argument for |
| | `np.dtype` may be used as it will be converted to an actual `dtype` object. |
| | lock : bool, optional |
| | If True, create a multiprocessing.Lock object accessible with the `.lock` attribute, by default |
| | False. If passing the `SharedNDArray` as an argument to a `multiprocessing.Pool` function this |
| | should not be used -- see this comment to a Stack Overflow question about `multiprocessing.Lock`: |
| | https://stackoverflow.com/questions/25557686/python-sharing-a-lock-between-processes#comment72803059_25558333 |
| | Raises |
| | ------ |
| | ValueError |
| | The SharedMemory size (number of bytes) does not match the product of the shape and dtype |
| | itemsize. |
| | """ |
| | if isinstance(shm, str): |
| | shm = SharedMemory(name=shm, create=False) |
| | dtype = np.dtype(dtype) |
| | assert shm.size >= (dtype.itemsize * np.prod(shape)) |
| | self.shm = shm |
| | self.dtype = dtype |
| | self._shape: Tuple[int, ...] = shape |
| |
|
| | def __repr__(self): |
| | |
| | cls_name = self.__class__.__name__ |
| | nspaces = len(cls_name) + 1 |
| | array_repr = str(self.get()) |
| | array_repr = array_repr.replace("\n", "\n" + " " * nspaces) |
| | return f"{cls_name}({array_repr}, dtype={self.dtype})" |
| |
|
| | @classmethod |
| | def create_from_array( |
| | cls, mem_mgr: SharedMemoryManager, arr: npt.NDArray[SharedT] |
| | ) -> SharedNDArray[SharedT]: |
| | """Create a SharedNDArray from a SharedMemoryManager and an existing numpy array. |
| | Parameters |
| | ---------- |
| | mem_mgr |
| | Running `multiprocessing.managers.SharedMemoryManager` instance from which to create the |
| | SharedMemory for the SharedNDArray |
| | arr |
| | NumPy `ndarray` object to copy into the created SharedNDArray upon initialization. |
| | """ |
| | |
| | shared_arr = cls.create_from_shape(mem_mgr, arr.shape, arr.dtype) |
| | shared_arr.get()[:] = arr[:] |
| | return shared_arr |
| |
|
| | @classmethod |
| | def create_from_shape( |
| | cls, mem_mgr: SharedMemoryManager, shape: Tuple, dtype: npt.DTypeLike |
| | ) -> SharedNDArray: |
| | """Create a SharedNDArray directly from a SharedMemoryManager |
| | Parameters |
| | ---------- |
| | mem_mgr |
| | SharedMemoryManager instance that has been started |
| | shape |
| | Shape of the array |
| | dtype |
| | Data type for the NumPy array to be represented in shared memory. Any valid argument for |
| | `np.dtype` may be used as it will be converted to an actual `dtype` object. |
| | """ |
| | dtype = np.dtype(dtype) |
| | shm = mem_mgr.SharedMemory(np.prod(shape) * dtype.itemsize) |
| | return cls(shm=shm, shape=shape, dtype=dtype) |
| |
|
| | @property |
| | def shape(self) -> Tuple[int, ...]: |
| | return self._shape |
| |
|
| | def get(self) -> npt.NDArray[SharedT]: |
| | """Get a numpy array with access to the shared memory""" |
| | return np.ndarray(self.shape, dtype=self.dtype, buffer=self.shm.buf) |
| |
|
| | def __del__(self): |
| | self.shm.close() |
| |
|