This document lays out a design proposal for version 3.0 of the Zarr-Python package. A specific focus of the design is to bring Zarr-Python's API up to date with the Zarr V3 specification, with the hope of enabling the development of the many features and extensions that motivated the V3 Spec. The ideas presented here are expected to result in a major release of Zarr-Python (version 3.0) including significant a number of breaking API changes. For clarity, “V3” will be used to describe the version of the Zarr specification and “3.0” will be used to describe the release tag of the Zarr-Python project.
During the development of the V3 Specification, a prototype implementation was added to the Zarr-Python library. Since that implementation, the V3 spec evolved in significant ways and as a result, the Zarr-Python library is now out of sync with the approved spec. Downstream libraries (e.g. Xarray) have added support for this implementation and will need to migrate to the accepted spec when its available in Zarr-Python.
create_hierarchy(zarr_objects)
function).Zarr-Python is an IO library. As such, supporting concurrent action against the storage layer is critical to achieving acceptable performance. The Zarr-Python 2 was not designed with asynchronous computation in mind and as a result has struggled to effectively leverage the benefits of concurrency. At one point, getitems
and setitems
support was added to the Zarr store model but that is not leveraged throughout the API.
With Zarr-Python 3.0, we have the opportunity to revisit this design. The proposal here is as follows:
Store
interface will be entirely async.Store
interface, we will provide an AsyncArray
and AsyncGroup
interface.Array
and Group
classes that wrap the async equivalents.Examples
Store
class Store:
...
async def get(self, key: str) -> bytes:
...
async def get_partial_values(self, key_ranges: List[Tuple[str, int]]) -> bytes:
...
# (no sync interface here)
Array
class AsyncArray:
...
async def getitem(self, selection: Selection) -> np.ndarray:
# the core logic for getitem goes here
class Array:
_async_array: AsyncArray
def __getitem__(self, selection: Selection) -> np.ndarray:
return sync(self._async_array.getitem(selection))
Group
class AsyncGroup:
...
async def create_group(self, path: str, **kwargs) -> AsyncGroup:
# the core logic for create_group goes here
class Group:
_async_group: AsyncGroup
def create_group(self, path: str, **kwargs) -> Group:
return sync(self._async_group.create_group(path, **kwargs))
Internal Synchronization API
With the Store
and core AsyncArray
/ AsyncGroup
classes being predominantly async, Zarr-Python will need an internal API to provide a synchronous API. The proposal here is to use the approach in fsspec to provide a high-level sync
function that takes an awaitable
and runs it in its managed IO Loop / thread.
FAQ
AsyncObj
and simply wrap it in the SyncObj
.async
methods. There are approaches to enabling concurrent action through wrappers like AsyncIO's loop.run_in_executor
(ref 1, ref 2, ref 3, ref 4.AsyncGroup
and AsyncArray
classes which, may be more trouble than its worth.
b. One option would be to provide a SyncStore
interface and an AsyncStoreWrapper
that wraps each method in a loop.run_in_executor
. This would help avoid long-running blocking tasks in the main loop.The Store
API is specified directly in the V3 specification. All V3 stores should implement this abstract API, omitting Write and List support as needed. As described above, all stores will be expected to expose the required methods as async methods.
Example
class ReadWriteStore:
...
async def get(self, key: str) -> bytes:
...
async def get_partial_values(self, key_ranges: List[Tuple[str, int]]) -> bytes:
...
async def set(self, key: str, value: bytes) -> None:
... # required for writable stores
async def set_partial_values(self, key_start_values: List[Tuple[str, int, bytes]]) -> None:
... # required for writable stores
async def list(self) -> List[str]:
... # required for listable stores
async def list_prefix(self, prefix: str) -> List[str]:
... # required for listable stores
async def list_dir(self, prefix: str) -> List[str]:
... # required for listable stores
# additional (optional methods)
async def getsize(self, prefix: str) -> int:
...
async def rename(self, src: str, dest: str) -> None
...
Recognizing that there are many Zarr applications today that rely on the MutableMapping
interface supported by Zarr-Python 2, a wrapper store will be developed to allow existing stores to plug directly into this API.
The user facing array interface will implement a subset of the Array API Standard. Most of the computational parts of the Array API Standard don’t fit into Zarr right now. That’s okay. What matters most is that we ensure we can give downstream applications a compliant API.
Note, Zarr already does most of this so this is more about formalizing the relationship than a substantial change in API.
Included | Not Included | Unknown / Maybe possible? | |
---|---|---|---|
Attributes | dtype |
mT |
device |
ndim |
T |
||
shape |
|||
size |
|||
Methods | __getitem__ |
__array_namespace__ |
to_device |
__setitem__ |
__abs__ |
__bool__ |
|
__eq__ |
__add__ |
__complex__ |
|
__bool__ |
__and__ |
__dlpack__ |
|
__floordiv__ |
__dlpack_device__ |
||
__ge__ |
__float__ |
||
__gt__ |
__index__ |
||
__invert__ |
__int__ |
||
__le__ |
|||
__lshift__ |
|||
__lt__ |
|||
__matmul__ |
|||
__mod__ |
|||
__mul__ |
|||
__ne__ |
|||
__neg__ |
|||
__or__ |
|||
__pos__ |
|||
__pow__ |
|||
__rshift__ |
|||
__sub__ |
|||
__truediv__ |
|||
__xor__ |
|||
Creation functions (zarr.creation ) |
zeros |
arange |
|
zeros_like |
asarray |
||
ones |
eye |
||
ones_like |
from_dlpack |
||
full |
linspace |
||
full_like |
meshgrid |
||
empty |
tril |
||
empty_like |
triu |
In addition to the core array API defined above, the Array class should have the following Zarr specific properties:
.metadata
(see Metadata Interface below).attrs
- (pull from metadata object).info
- (pull from existing property)Indexing
Zarr-Python currently supports __getitem__
style indexing and the special oindex
and vindex
indexers. These are not part of the current Array API standard (see data-apis/array-api#669) but they have been proposed as a NEP. Zarr-Python will maintain these in 3.0.
We are also exploring a new high-level indexing API that will enabled optimized batch/concurrent loading of many chunks. We expect this to be important to enable performant loading of data in the context of sharding. See this discussion for more detail.
Async and Sync Array APIs
Most the logic to support Zarr Arrays will live in the AsyncArray
class. There are a few notable differences that should be called out.
Sync Method | Async Method |
---|---|
__getitem__ |
getitem |
__setitem__ |
setitem |
__eq__ |
equals |
Metadata interface
Zarr-Python 2.* closely mirrors the V2 spec metadata schema in the Array and Group classes. In 3.0, we plan to move the underlying metadata representation to a separate interface (e.g. Array.metadata
). This interface will return either a V2ArrayMetadata
or V3ArrayMetadata
object (both will inherit from a parent ArrayMetadataABC
class. The V2ArrayMetadata
and V3ArrayMetadata
classes will be responsible for producing valid JSON representations of their metadata, and yielding a consistent view to the Array
or Group
class.
The main question is how closely we should follow the existing Zarr-Python implementation / MutableMapping
interface. The table below shows the primary Group
methods in Zarr-Python 2 and attempts to identify if and how they would be implemented in 3.0.
V2 Group Methods | AsyncGroup |
Group |
`h5py_compat.Group`` |
---|---|---|---|
__len__ |
length |
__len__ |
__len__ |
__iter__ |
__aiter__ |
__iter__ |
__iter__ |
__contains__ |
contains |
__contains__ |
__contains__ |
__getitem__ |
getitem |
__getitem__ |
__getitem__ |
__enter__ |
N/A | N/A | __enter__ |
__exit__ |
N/A | N/A | __exit__ |
group_keys |
group_keys |
group_keys |
N/A |
groups |
groups |
groups |
N/A |
array_keys |
array_key |
array_keys |
N/A |
arrays |
arrays * |
arrays |
N/A |
visit |
? | ? | visit |
visitkeys |
? | ? | ? |
visitvalues |
? | ? | ? |
visititems |
? | ? | visititems |
tree |
tree |
tree |
Both |
create_group |
create_group |
create_group |
create_group |
require_group |
N/A | N/A | require_group |
create_groups |
? | ? | N/A |
require_groups |
? | ? | ? |
create_dataset |
N/A | N/A | create_dataset |
require_dataset |
N/A | N/A | require_dataset |
create |
create_array |
create_array |
N/A |
empty |
empty |
empty |
N/A |
zeros |
zeros |
zeros |
N/A |
ones |
ones |
ones |
N/A |
full |
full |
full |
N/A |
array |
create_array |
create_array |
N/A |
empty_like |
empty_like |
empty_like |
N/A |
zeros_like |
zeros_like |
zeros_like |
N/A |
ones_like |
ones_like |
ones_like |
N/A |
full_like |
full_like |
full_like |
N/A |
move |
move |
move |
move |
zarr.h5compat.Group
Zarr-Python 2.* made an attempt to align its API with that of h5py. With 3.0, we will relax this alignment in favor of providing an explicit compatibility module (zarr.h5py_compat
). This module will expose the Group
and Dataset
APIs that map to Zarr-Python’s Group
and Array
objects.
Zarr-Python 2.* bundles together the creation and serialization of Zarr objects. Zarr-Python 3.* will make it possible to create objects in memory separate from serializing them. This will specifically enable writing hierarchies of Zarr objects in a single batch step. For example:
arr1 = Array(shape=(10, 10), path="foo/bar", dtype="i4", store=store)
arr2 = Array(shape=(10, 10), path="foo/spam", dtype="f8", store=store)
arr1.save()
arr2.save()
# or equivalently
zarr.save_many([arr1 ,arr2])
Zarr V3 was designed to be extensible at multiple layers. Zarr-Python will support these extensions through a combination of Abstract Base Classes (ABCs) and Entrypoints.
ABCs
Zarr V3 will expose Abstract base classes for the following objects:
Store
, ReadStore
, ReadWriteStore
, ReadListStore
, and ReadWriteListStore
BaseArray
, SynchronousArray
, and AsynchronousArray
BaseGroup
, SynchronousGroup
, and AsynchronousGroup
Codec
, ArrayArrayCodec
, ArrayBytesCodec
, BytesBytesCodec
Entrypoints
Lots more thinking here but the idea here is to provide entrypoints for data type
, chunk grid
, chunk key encoding
, codecs
, storage_transformers
and stores
. These might look something like:
entry_points="""
[zarr.codecs]
blosc_codec=codec_plugin:make_blosc_codec
zlib_codec=codec_plugin:make_zlib_codec
"""
Target 100% Mypy coverage in 3.0 source.
A persistent problem in Zarr-Python is diagnosing problems that span many parts of the stack. To address this in 3.0, we will add a basic logging framework that can be used to debug behavior at various levels of the stack. We propose to add the separate loggers for the following namespaces:
array
group
store
codec
These should be documented such that users know how to activate them and developers know how to use them when developing extensions.
Today, Zarr-Python has the following required dependencies:
dependencies = [
'asciitree',
'numpy>=1.20,!=1.21.0',
'fasteners',
'numcodecs>=0.10.0',
]
What other dependencies should be considered?
Group.__getitem__
support moved to Group.members.__getitem__
?V2Array
and V3Array
classes. This feels less than ideal.
b. We could easily convert metadata from v2 to the V3 Array, but what about writing?
c. Ideally, we don’t have completely separate code paths. But if its too complicated to support both within one interface, its probably better.Zarr-python 3.0 adds a major new dimension to Zarr: Async support. This also comes with a compatibility risk, we will need to thoroughly test support in key execution environments. Testing plan:
v3
API.
xfail
tests that expose breaking changes with 3.0 - breaking change
description. This will help identify additional and/or unintentional breaking changesZarr-Python 3.0 will introduce a number of new APIs and breaking changes to existing APIs. In order to facilitate ongoing support for Zarr-Python 2.*, we will take on the following development process:
v3
branch that can be use for developing the core functionality apart from the main
branch. This will allow us to support ongoing work and bug fixes on the main
branch.3.0
APIs inside a zarr.v3
module. Imports from this namespace will all be new APIs that users can develop and test against once the v3
branch is merged to main
.zarrita
- which has many of the features described in this design.v3
namespacev3
is complete, move contents of v3
to the package rootMilestones
Below are a set of specific milestones leading toward the completion of this process. As work begins, we expect this list to grow in specificity.
Array
and Group
objects into Sync and Async versionsAsyncArray
Store
interface and a wrapper Store
to make use of existing MutableMapping
stores.v3
namespace.The following subjects are not covered in detail above but perhaps should be. Including them here so they are not forgotten.
meta_array
supportchunk_store
API in 3.0synchronizer
API in 3.0