Skip to content

Reference Documentation¤

This reference contains automatically generated Python API docs.

pydantic_cereal.Cereal ¤

Bases: object

Main serialization object.

Usage

To set up, create a global cereal variable:

1
2
3
from pydantic_cereal import Cereal

cereal = Cereal()  # global variable

Use cereal.wrap_type() to "register" readers and writers into a new Annotated type.

Source code in src/pydantic_cereal/main.py
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
class Cereal(object):
    """Main serialization object.

    Usage
    -----
    To set up, create a global `cereal` variable:

    ```python
    from pydantic_cereal import Cereal

    cereal = Cereal()  # global variable
    ```

    Use [`cereal.wrap_type()`][pydantic_cereal.Cereal.wrap_type] to "register" readers and writers
    into a new `Annotated` type.
    """

    # Annotation API

    def wrap_type(self, type_: Type[T], reader: ReaderLike, writer: WriterLike) -> Type[T]:
        """Wrap a type with reader and writer metadata, for use with Pydantic."""
        (f_reader, s_reader) = self._normalize_reader(reader=reader)
        (f_writer, s_writer) = self._normalize_writer(writer=writer)

        def f_serializer(v: Any, nxt: SerializerFunctionWrapHandler) -> CerealInfo:
            """Serialize by writing and returning metadata."""
            # Ensure we are in a context (or just fall back on default behavior)
            if self.active_context is None:
                warnings.warn(
                    "Attempting to use pydantic-cereal outside of the context. Using default serializer."
                )
                return nxt(v)

            # Write object
            obj_upath = self._write_obj(v, f_writer)
            obj_path = str(obj_upath)

            return CerealInfo(
                cereal_version=__version__,
                cereal_writer=s_writer,
                cereal_reader=s_reader,
                object_path=obj_path,
                # maybe other metadata?
            )

        serializer = WrapSerializer(f_serializer, return_type=CerealInfo, when_used="always")

        def f_validator(v: Any, handler: ValidatorFunctionWrapHandler, info: ValidationInfo) -> Any:
            """Validate by loading from context."""
            if self.active_context is None:
                # Attempting to use pydantic-cereal outside of the context. Using default validator
                return handler(v)
            # We are in the context, so try to load it.

            # Try parsing `v` as metadata. If we fail, assume that validator can handle it.
            if info.mode == "json":
                assert isinstance(v, str), "In JSON mode the input must be a string!"
                try:
                    cereal_meta = TypeAdapter(CerealInfo).validate_json(v)
                    loaded = self._load_from_meta(cereal_meta=cereal_meta)
                except ValidationError:
                    loaded = v
            elif info.mode == "python":
                try:
                    cereal_meta = TypeAdapter(CerealInfo).validate_python(v)
                    loaded = self._load_from_meta(cereal_meta=cereal_meta)
                except ValidationError:
                    loaded = v
            else:
                raise NotImplementedError(f"Unknown parsing mode: {info.mode!r}")
            # Pass to original validator
            res = handler(loaded)
            return res

        validator = WrapValidator(f_validator)

        res = Annotated[
            type_,  # type: ignore
            serializer,
            validator,
            WithJsonSchema(cereal_meta_schema),
        ]
        return res  # type: ignore

    # I/O API

    def write_model(
        self,
        model: BaseModel,
        target_path: Union[UPath, Path, str],
        fs: Optional[AbstractFileSystem] = None,
    ) -> str:
        """Write the pydantic.BaseModel to the path.

        TODO
        ----
        - Add JSON options.
        - Write YAML metadata instead?
        """
        with self.context(target_path=target_path, fs=fs):
            # Create saving directory
            fs = self.fs
            targ_path = ensure_empty_dir(fs, self.target_path)

            # Write model (as JSON) with extra 'class' keyword
            # NOTE: This will write all wrapped types too!
            model_dict = model.model_dump(mode="json")
            if "class" in model_dict:
                raise ValueError("Key 'class' is reserved for pydantic-cereal.")
            model_dict["class"] = get_import_string(type(model))
            model_json = json.dumps(model_dict, indent=2)
            with fs.open(append_path_parts(fs, targ_path, "model.json"), mode="w") as f:
                f.write(model_json)
            # Write schema (as JSON)
            model_j_schema = json.dumps(model.model_json_schema(), indent=2)
            with fs.open(append_path_parts(fs, targ_path, "model.schema.json"), mode="w") as f:
                f.write(model_j_schema)
            # FIXME: We need to also write metadata somewhere, such as "what object is this?"...
        return targ_path

    def read_model(
        self,
        target_path: Union[UPath, Path, str],
        fs: Optional[AbstractFileSystem] = None,
        *,
        supercls: Type[TModel] = BaseModel,  # type: ignore
    ) -> TModel:
        """Read a pydantic.BaseModel from the path."""
        if not issubclass(supercls, BaseModel):
            raise TypeError(
                f"Can only read Pydantic models, but {supercls!r} is not derived from BaseModel."
            )
        with self.context(target_path=target_path, fs=fs):
            fs = self.fs
            targ_path = self.target_path
            # Load raw data
            with fs.open(append_path_parts(fs, targ_path, "model.json"), mode="r") as f:
                model_raw = json.load(f)
            # Get model class
            assert isinstance(model_raw, dict)
            model_import_str = model_raw.get("class")
            if model_import_str is None:
                raise ValueError("No 'class' field available - cannot figure out type.")
            model_cls = import_object(model_import_str)
            assert issubclass(model_cls, supercls)
            # Parse as model
            res = TypeAdapter(model_cls).validate_python(model_raw)
            return res

    # Creation

    def __init__(self) -> None:
        self._context_stack: List[CerealContext] = []

    def __repr__(self) -> str:
        """Representation."""
        return type(self).__qualname__ + "()"

    # Internal API

    def context(
        self, target_path: Union[UPath, Path, str], fs: Optional[AbstractFileSystem]
    ) -> CerealContext:
        """Create a writing context (usable via `with` statement)."""
        return CerealContext(self, target_path=target_path, fs=fs)

    @property
    def active_context(self) -> Optional[CerealContext]:
        """The currently active context."""
        if len(self._context_stack) == 0:
            return None
        return self._context_stack[-1]

    def _push_context(self, ctx: CerealContext) -> None:
        """Add a context to the stack and make it active."""
        if ctx in self._context_stack:
            raise CerealContextError("Context is already in stack - can't re-enter!")
        self._context_stack.append(ctx)

    def _pop_context(self, ctx: CerealContext) -> None:
        """Remove an active context from the stack."""
        if ctx is not self.active_context:
            raise CerealContextError("Context is not the active one - can't exit.")
        self._context_stack.pop()

    @property
    def fs(self) -> AbstractFileSystem:
        """Current filesystem."""
        if self.active_context is None:
            raise CerealContextError("No context is active - no current filesystem.")
        return self.active_context.fs

    @property
    def target_path(self) -> str:
        """Working directory."""
        if self.active_context is None:
            raise CerealContextError("No context is active - no working directory.")
        return self.active_context.target_path

    def _generate_filename(self, obj: Any) -> str:
        """Generate a file name for an object.

        TODO
        ------------
        Improve by using JSON-path-like?
        """
        return str(uuid.uuid4()).replace("-", "")

    def _write_obj(self, obj: Any, writer: CerealWriter) -> str:
        """Write object, returning its relative path."""
        if self.active_context is None:
            raise CerealContextError("Context not active - aborting write.")
        filename = self._generate_filename(obj)

        fs = self.fs
        write_path = append_path_parts(fs, self.target_path, filename)
        writer(obj, self.fs, write_path)
        return filename

    def _load_from_meta(self, cereal_meta: CerealInfo) -> Any:
        """Load an object from metadata."""
        f_reader, _ = self._normalize_reader(cereal_meta.cereal_reader)

        fs = self.fs
        path = append_path_parts(fs, self.target_path, cereal_meta.object_path)
        return f_reader(fs, path)

    # Helpers

    @classmethod
    def _normalize_reader(cls, reader: ReaderLike) -> Tuple[CerealReader, ImportString]:
        """Normalize reader, writer to their objects and paths."""
        f_reader = normalize_reader(reader)
        s_reader = get_import_string(f_reader)
        return (f_reader, s_reader)

    @classmethod
    def _normalize_writer(cls, writer: WriterLike) -> Tuple[CerealWriter, ImportString]:
        """Normalize reader, writer to their objects and paths."""
        f_writer = normalize_writer(writer)
        s_writer = get_import_string(f_writer)
        return (f_writer, s_writer)

pydantic_cereal.Cereal.active_context: Optional[CerealContext] property ¤

The currently active context.

pydantic_cereal.Cereal.fs: AbstractFileSystem property ¤

Current filesystem.

pydantic_cereal.Cereal.target_path: str property ¤

Working directory.

pydantic_cereal.Cereal.__repr__() -> str ¤

Representation.

Source code in src/pydantic_cereal/main.py
271
272
273
def __repr__(self) -> str:
    """Representation."""
    return type(self).__qualname__ + "()"

pydantic_cereal.Cereal.context(target_path: Union[UPath, Path, str], fs: Optional[AbstractFileSystem]) -> CerealContext ¤

Create a writing context (usable via with statement).

Source code in src/pydantic_cereal/main.py
277
278
279
280
281
def context(
    self, target_path: Union[UPath, Path, str], fs: Optional[AbstractFileSystem]
) -> CerealContext:
    """Create a writing context (usable via `with` statement)."""
    return CerealContext(self, target_path=target_path, fs=fs)

pydantic_cereal.Cereal.read_model(target_path: Union[UPath, Path, str], fs: Optional[AbstractFileSystem] = None, *, supercls: Type[TModel] = BaseModel) -> TModel ¤

Read a pydantic.BaseModel from the path.

Source code in src/pydantic_cereal/main.py
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
def read_model(
    self,
    target_path: Union[UPath, Path, str],
    fs: Optional[AbstractFileSystem] = None,
    *,
    supercls: Type[TModel] = BaseModel,  # type: ignore
) -> TModel:
    """Read a pydantic.BaseModel from the path."""
    if not issubclass(supercls, BaseModel):
        raise TypeError(
            f"Can only read Pydantic models, but {supercls!r} is not derived from BaseModel."
        )
    with self.context(target_path=target_path, fs=fs):
        fs = self.fs
        targ_path = self.target_path
        # Load raw data
        with fs.open(append_path_parts(fs, targ_path, "model.json"), mode="r") as f:
            model_raw = json.load(f)
        # Get model class
        assert isinstance(model_raw, dict)
        model_import_str = model_raw.get("class")
        if model_import_str is None:
            raise ValueError("No 'class' field available - cannot figure out type.")
        model_cls = import_object(model_import_str)
        assert issubclass(model_cls, supercls)
        # Parse as model
        res = TypeAdapter(model_cls).validate_python(model_raw)
        return res

pydantic_cereal.Cereal.wrap_type(type_: Type[T], reader: ReaderLike, writer: WriterLike) -> Type[T] ¤

Wrap a type with reader and writer metadata, for use with Pydantic.

Source code in src/pydantic_cereal/main.py
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
def wrap_type(self, type_: Type[T], reader: ReaderLike, writer: WriterLike) -> Type[T]:
    """Wrap a type with reader and writer metadata, for use with Pydantic."""
    (f_reader, s_reader) = self._normalize_reader(reader=reader)
    (f_writer, s_writer) = self._normalize_writer(writer=writer)

    def f_serializer(v: Any, nxt: SerializerFunctionWrapHandler) -> CerealInfo:
        """Serialize by writing and returning metadata."""
        # Ensure we are in a context (or just fall back on default behavior)
        if self.active_context is None:
            warnings.warn(
                "Attempting to use pydantic-cereal outside of the context. Using default serializer."
            )
            return nxt(v)

        # Write object
        obj_upath = self._write_obj(v, f_writer)
        obj_path = str(obj_upath)

        return CerealInfo(
            cereal_version=__version__,
            cereal_writer=s_writer,
            cereal_reader=s_reader,
            object_path=obj_path,
            # maybe other metadata?
        )

    serializer = WrapSerializer(f_serializer, return_type=CerealInfo, when_used="always")

    def f_validator(v: Any, handler: ValidatorFunctionWrapHandler, info: ValidationInfo) -> Any:
        """Validate by loading from context."""
        if self.active_context is None:
            # Attempting to use pydantic-cereal outside of the context. Using default validator
            return handler(v)
        # We are in the context, so try to load it.

        # Try parsing `v` as metadata. If we fail, assume that validator can handle it.
        if info.mode == "json":
            assert isinstance(v, str), "In JSON mode the input must be a string!"
            try:
                cereal_meta = TypeAdapter(CerealInfo).validate_json(v)
                loaded = self._load_from_meta(cereal_meta=cereal_meta)
            except ValidationError:
                loaded = v
        elif info.mode == "python":
            try:
                cereal_meta = TypeAdapter(CerealInfo).validate_python(v)
                loaded = self._load_from_meta(cereal_meta=cereal_meta)
            except ValidationError:
                loaded = v
        else:
            raise NotImplementedError(f"Unknown parsing mode: {info.mode!r}")
        # Pass to original validator
        res = handler(loaded)
        return res

    validator = WrapValidator(f_validator)

    res = Annotated[
        type_,  # type: ignore
        serializer,
        validator,
        WithJsonSchema(cereal_meta_schema),
    ]
    return res  # type: ignore

pydantic_cereal.Cereal.write_model(model: BaseModel, target_path: Union[UPath, Path, str], fs: Optional[AbstractFileSystem] = None) -> str ¤

Write the pydantic.BaseModel to the path.

TODO
  • Add JSON options.
  • Write YAML metadata instead?
Source code in src/pydantic_cereal/main.py
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
def write_model(
    self,
    model: BaseModel,
    target_path: Union[UPath, Path, str],
    fs: Optional[AbstractFileSystem] = None,
) -> str:
    """Write the pydantic.BaseModel to the path.

    TODO
    ----
    - Add JSON options.
    - Write YAML metadata instead?
    """
    with self.context(target_path=target_path, fs=fs):
        # Create saving directory
        fs = self.fs
        targ_path = ensure_empty_dir(fs, self.target_path)

        # Write model (as JSON) with extra 'class' keyword
        # NOTE: This will write all wrapped types too!
        model_dict = model.model_dump(mode="json")
        if "class" in model_dict:
            raise ValueError("Key 'class' is reserved for pydantic-cereal.")
        model_dict["class"] = get_import_string(type(model))
        model_json = json.dumps(model_dict, indent=2)
        with fs.open(append_path_parts(fs, targ_path, "model.json"), mode="w") as f:
            f.write(model_json)
        # Write schema (as JSON)
        model_j_schema = json.dumps(model.model_json_schema(), indent=2)
        with fs.open(append_path_parts(fs, targ_path, "model.schema.json"), mode="w") as f:
            f.write(model_j_schema)
        # FIXME: We need to also write metadata somewhere, such as "what object is this?"...
    return targ_path

pydantic_cereal.cereal_meta_schema = CerealInfo.model_json_schema() module-attribute ¤

Metadata schema for pydantic-cereal metadata.

pydantic_cereal.CerealReader ¤

Bases: Protocol[T_read]

Reader class for a particular type.

Source code in src/pydantic_cereal/_protocols.py
26
27
28
29
30
31
32
@runtime_checkable
class CerealReader(Protocol[T_read]):
    """Reader class for a particular type."""

    @abstractmethod
    def __call__(self, fs: AbstractFileSystem, path: str) -> T_read:
        """Read data from the given path within the filesystem."""

pydantic_cereal.CerealReader.__call__(fs: AbstractFileSystem, path: str) -> T_read abstractmethod ¤

Read data from the given path within the filesystem.

Source code in src/pydantic_cereal/_protocols.py
30
31
32
@abstractmethod
def __call__(self, fs: AbstractFileSystem, path: str) -> T_read:
    """Read data from the given path within the filesystem."""

pydantic_cereal.CerealWriter ¤

Bases: Protocol[T_write]

Writer class for a particular type.

Source code in src/pydantic_cereal/_protocols.py
35
36
37
38
39
40
41
@runtime_checkable
class CerealWriter(Protocol[T_write]):
    """Writer class for a particular type."""

    @abstractmethod
    def __call__(self, obj: T_write, fs: AbstractFileSystem, path: str) -> Any:
        """Write data to the given path within the filesystem."""

pydantic_cereal.CerealWriter.__call__(obj: T_write, fs: AbstractFileSystem, path: str) -> Any abstractmethod ¤

Write data to the given path within the filesystem.

Source code in src/pydantic_cereal/_protocols.py
39
40
41
@abstractmethod
def __call__(self, obj: T_write, fs: AbstractFileSystem, path: str) -> Any:
    """Write data to the given path within the filesystem."""

pydantic_cereal.CerealBaseError ¤

Bases: Exception

Base error class for pydantic-cereal.

Source code in src/pydantic_cereal/errors.py
4
5
class CerealBaseError(Exception):
    """Base error class for pydantic-cereal."""

pydantic_cereal.CerealContextError ¤

Bases: CerealBaseError

Error with pydantic-cereal context.

Source code in src/pydantic_cereal/errors.py
19
20
class CerealContextError(CerealBaseError):
    """Error with pydantic-cereal context."""

pydantic_cereal.CerealProtocolError ¤

Bases: CerealBaseError, TypeError

Error with a reader or writer protocol.

This is also a TypeError.

Source code in src/pydantic_cereal/errors.py
12
13
14
15
16
class CerealProtocolError(CerealBaseError, TypeError):
    """Error with a reader or writer protocol.

    This is also a TypeError.
    """

pydantic_cereal.CerealRegistrationError ¤

Bases: CerealBaseError

Error during registration.

Source code in src/pydantic_cereal/errors.py
8
9
class CerealRegistrationError(CerealBaseError):
    """Error during registration."""

pydantic_cereal.main.CerealContext ¤

Bases: AbstractContextManager

Serialization context.

This is managed by the Cereal class - users shouldn't use this directly!

Source code in src/pydantic_cereal/main.py
 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
class CerealContext(AbstractContextManager):
    """Serialization context.

    This is managed by the [`Cereal`][pydantic_cereal.Cereal] class - users shouldn't use this directly!
    """

    def __init__(
        self,
        cereal: "Cereal",
        target_path: Union[UPath, Path, str],
        fs: Optional[AbstractFileSystem] = None,
    ) -> None:
        assert isinstance(cereal, Cereal)
        if fs is None:
            if isinstance(target_path, str):
                fs, _, paths = get_fs_token_paths(target_path)
                inner_path = paths[-1]
            elif isinstance(target_path, Path) and not isinstance(target_path, UPath):
                fs, _, paths = get_fs_token_paths(f"file://{target_path}")
                inner_path = paths[-1]
            elif isinstance(target_path, UPath):
                fs = target_path.fs
                inner_path = target_path.path
            else:
                raise TypeError("'target_path' must be a 'str', 'Path' or 'UPath'")
        else:
            assert isinstance(target_path, str)
            inner_path = target_path

        # Double-check
        assert isinstance(fs, AbstractFileSystem)
        assert isinstance(inner_path, str)

        self._target_path = inner_path
        self._fs: AbstractFileSystem = fs
        self._cereal = cereal

    @property
    def target_path(self) -> str:
        """Target path of context."""
        return self._target_path

    @property
    def fs(self) -> AbstractFileSystem:
        """File system to be used for target path."""
        return self._fs

    @property
    def cereal(self) -> "Cereal":
        """Parent of the context."""
        return self._cereal

    def __enter__(self: Self) -> Self:
        """Use as a context manager."""
        self.cereal._push_context(self)
        return self

    def __exit__(
        self,
        __exc_type: Optional[Type[BaseException]],
        __exc_value: Optional[BaseException],
        __traceback: Any,
    ) -> Optional[bool]:
        """Exit from the context manager."""
        self.cereal._pop_context(self)
        return None

pydantic_cereal.main.CerealContext.cereal: Cereal property ¤

Parent of the context.

pydantic_cereal.main.CerealContext.fs: AbstractFileSystem property ¤

File system to be used for target path.

pydantic_cereal.main.CerealContext.target_path: str property ¤

Target path of context.

pydantic_cereal.main.CerealContext.__enter__() -> Self ¤

Use as a context manager.

Source code in src/pydantic_cereal/main.py
 98
 99
100
101
def __enter__(self: Self) -> Self:
    """Use as a context manager."""
    self.cereal._push_context(self)
    return self

pydantic_cereal.main.CerealContext.__exit__(__exc_type: Optional[Type[BaseException]], __exc_value: Optional[BaseException], __traceback: Any) -> Optional[bool] ¤

Exit from the context manager.

Source code in src/pydantic_cereal/main.py
103
104
105
106
107
108
109
110
111
def __exit__(
    self,
    __exc_type: Optional[Type[BaseException]],
    __exc_value: Optional[BaseException],
    __traceback: Any,
) -> Optional[bool]:
    """Exit from the context manager."""
    self.cereal._pop_context(self)
    return None

pydantic_cereal.__version__ = get_version(root='../..', relative_to=__file__) module-attribute ¤