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
|
import json
from typing import TYPE_CHECKING, Any
import numpy as np
import pytest
import zarr.core
import zarr.core.attributes
import zarr.storage
from tests.conftest import deep_nan_equal
from zarr.core.common import ZarrFormat
if TYPE_CHECKING:
from zarr.types import AnyArray
@pytest.mark.parametrize("zarr_format", [2, 3])
@pytest.mark.parametrize(
"data", [{"inf": np.inf, "-inf": -np.inf, "nan": np.nan}, {"a": 3, "c": 4}]
)
def test_put(data: dict[str, Any], zarr_format: ZarrFormat) -> None:
store = zarr.storage.MemoryStore()
attrs = zarr.core.attributes.Attributes(zarr.Group.from_store(store, zarr_format=zarr_format))
attrs.put(data)
expected = json.loads(json.dumps(data, allow_nan=True))
assert deep_nan_equal(dict(attrs), expected)
def test_asdict() -> None:
store = zarr.storage.MemoryStore()
attrs = zarr.core.attributes.Attributes(
zarr.Group.from_store(store, attributes={"a": 1, "b": 2})
)
result = attrs.asdict()
assert result == {"a": 1, "b": 2}
def test_update_attributes_preserves_existing() -> None:
"""
Test that `update_attributes` only updates the specified attributes
and preserves existing ones.
"""
store = zarr.storage.MemoryStore()
z = zarr.create(10, store=store, overwrite=True)
z.attrs["a"] = []
z.attrs["b"] = 3
assert dict(z.attrs) == {"a": [], "b": 3}
z.update_attributes({"a": [3, 4], "c": 4})
assert dict(z.attrs) == {"a": [3, 4], "b": 3, "c": 4}
def test_update_empty_attributes() -> None:
"""
Ensure updating when initial attributes are empty works.
"""
store = zarr.storage.MemoryStore()
z = zarr.create(10, store=store, overwrite=True)
assert dict(z.attrs) == {}
z.update_attributes({"a": [3, 4], "c": 4})
assert dict(z.attrs) == {"a": [3, 4], "c": 4}
def test_update_no_changes() -> None:
"""
Ensure updating when no new or modified attributes does not alter existing ones.
"""
store = zarr.storage.MemoryStore()
z = zarr.create(10, store=store, overwrite=True)
z.attrs["a"] = []
z.attrs["b"] = 3
z.update_attributes({})
assert dict(z.attrs) == {"a": [], "b": 3}
@pytest.mark.parametrize("group", [True, False])
def test_del_works(group: bool) -> None:
store = zarr.storage.MemoryStore()
z: zarr.Group | AnyArray
if group:
z = zarr.create_group(store)
else:
z = zarr.create_array(store=store, shape=10, dtype=int)
assert dict(z.attrs) == {}
z.update_attributes({"a": [3, 4], "c": 4})
del z.attrs["a"]
assert dict(z.attrs) == {"c": 4}
z2: zarr.Group | AnyArray
if group:
z2 = zarr.open_group(store)
else:
z2 = zarr.open_array(store)
assert dict(z2.attrs) == {"c": 4}
|