Spaces:
Runtime error
Runtime error
File size: 1,010 Bytes
105b369 |
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 |
from pathlib import Path
from typing import Any, Optional
from phi.utils.log import logger
def pickle_object_to_file(obj: Any, file_path: Path) -> Any:
"""Pickles and saves object to file_path"""
import pickle
_obj_parent = file_path.parent
if not _obj_parent.exists():
_obj_parent.mkdir(parents=True, exist_ok=True)
pickle.dump(obj, file_path.open("wb"))
def unpickle_object_from_file(file_path: Path, verify_class: Optional[Any] = None) -> Any:
"""Reads the contents of file_path and unpickles the binary content into an object.
If verify_class is provided, checks if the object is an instance of that class.
"""
import pickle
_obj = None
# logger.debug(f"Reading {file_path}")
if file_path.exists() and file_path.is_file():
_obj = pickle.load(file_path.open("rb"))
if _obj and verify_class and not isinstance(_obj, verify_class):
logger.warning(f"Object does not match {verify_class}")
_obj = None
return _obj
|