An utility class for creating instances of dataclasses
Project description
dataclass_factory
dataclass_factory is modern way to convert dataclasses or other objects to and from more common types like dicts
TL;DR
Install
pip install dataclass_factory
Use
from dataclasses import dataclass
import dataclass_factory
@dataclass
class Book:
title: str
price: int
author: str = "Unknown author"
data = {
"title": "Fahrenheit 451",
"price": 100,
}
factory = dataclass_factory.Factory()
book: Book = factory.load(data, Book) # Same as Book(title="Fahrenheit 451", price=100)
serialized = factory.dump(book)
Requirements
- python >= 3.6
You can use dataclass_factory with python 3.6 and dataclass library installed from pip.
On python 3.7 it has no external dependencies outside of the Python standard library.
Advantages
- No schemas or configuration needed for simple cases. Just create
Factoryand callload/dumpmethods - Speed. It is up to 10 times faster than
marshmallowanddataclasses.asdict(see benchmarks) - Automatic name style conversion (e.g.
snake_casetoCamelCase) - Automatic skipping of "internal use" fields (with leading underscore)
- Enums, typed dicts, tuples and lists are supported from the box
- Unions and Optionals are supported without need to define them in schema
- Generic dataclasses can be automatically parsed as well
- Cyclic-referensed structures (such as linked-lists or trees) also can be converted
Usage
Parsers and serializers
To parse dict create Factory, get and use parser or just call load method
factory = Factory() # create it only once
parser = factory.parser(Book) # save it to reuse multiple times
book = parser(data)
# or
book = factory.load(data, Book)
Important:
When parsing data of Union type parsing stops when no ValueError/TypeError detected.
So the order of type arguments is important.
Serialization is also very simple: use serializer or load methods
factory = Factory() # create it only once
serializer = factory.serializer(Book) # you can reuse ot
data = serializer(book)
# or
data = factory.dump(book, Book)
If no class is provided in dump method it will find serializer based on real type of object.
Every parser/serializer is created when it is used (or retrieved from factory) for first time. Factory caches all created parsers and serializers so create it only once for every settings bundle.
Important:
When serializing data of Union type, type arguments are ignored and serializer is detected based on real data type.
Configuring
Factory(debug_path: bool, default_schema: Schema, schemas: Dict[Type, Schema])
More verbose errors
debug_path parameter is used to enable verbose error mode.
It this mode InvalidFieldError is thrown when some dataclass field cannot be parsed.
It contains field_path which is path to the field in provided data (key and indexes).
Schemas
Schema instances used to change behavior of parsing/serializing certain classes or in general.
default_schemaisSchemawhich is used by default.schemasis dict, with types as keys, and correspondingSchemainstances as values.
If some setting is not set for schema (or set to None), setting from default_schema is used.
If it is also not set, library default will be used
Schema consists of:
names_mapping- specifies mapping between dataclass field name (key in mapping) and key in serialized form.only_mapped(by default, False) - if True, all fields which are not specified innames_mappingare skipped.only- list of fields which are used during parsing and serialization. Has higher priority thanonly_mappedandskip_internalparamsexclude_fields- list of fields that are NOT used during parsing and serialization. Has higher priority thanonlyskip_internal(by default, True) - exclude fields with leading underscore (_). Affects fields, that are not specified inonlyandnames_mapping.trim_trainling_underscore(by default, True) - if True, trailing underscore (_) will be removed for all fields except specified innames_mapping.name_style(by default, snake_case) - target field name style. Applied for fields not specified innames_mapping.serializer- custom function which is used to dump data of type assigned with schema.
Normally it should not be used in default schema
It is also returned fromfactory.serializerparser- custom function which is used to load data of type assigned with schema.
Normally it should not be used in default schema
It is also returned fromfactory.parserpre_parse,post_parse,pre_serialize,post_serialize- callables that will be used as additional parsing/serializing steps.
Currently only serializer and parser are supported for non-dataclass types
Example,
@dataclass
class Person:
_first_name: str
last_name_: str
factory = Factory(schemas={
Person: Schema(
trim_trailing_underscore=True,
skip_internal=False
)}
)
person = Person("ivan", "petrov")
serial_person = {
"_first_name": "ivan",
"last_name": "petrov"
}
assert factory.dump(person) == serial_person
Common schemas
schema_helpers module contains several commonly used schemas:
unixtime_schema- converts datetime to unixtime and vice versaisotime_schema- converts datetime to string containing ISO 8081. Supported only on Python 3.7+uuid_schema- converts UUID to string
Example:
factory = Factory(
schemas={
UUID: schema_helpers.uuid_schema,
datetime: schema_helpers.isotime_schema,
}
)
Name styles
You have to follow PEP8 convention for fields names (snake_case) or style conversion wil not work appropriately
factory = Factory(default_schema=Schema(
name_style=NameStyle.camel
))
@dataclass
class Person:
first_name: str
last_name: str
person = Person("ivan", "petrov")
serial_person = {
"FirstName": "ivan",
"LastName": "petrov"
}
assert factory.dump(person) == serial_person
Following name styles are supported:
snake(snake_case)kebab(kebab-case)camel_lower(camelCaseLower)camel(CamelCase)lower(lowercase)upper(UPPERCASE)upper_snake(UPPER_SNAKE_CASE)camel_snake(Camel_Snake)dot(dot.case)
Structure flattening
Since version 2.2 you can flatten hierarchy of data when parsing. Also it is possible to serialize flat dataclass to complex structure.
To enable configure thi behavior just use tuples instead of strings in field mapping. Provide numbers to create lists and strings to create dicts.
For example if you have simple dataclass:
@dataclass
class A:
x: str
y: str
And you want to parse following structure getting A("hello", "world") as a result:
{
"a": {
"b": ["hello"]
},
"y": "world"
}
The only thing you need is to create such a schema and use Factory:
schema = Schema[A](
name_mapping={
"x": ("a", "b", 0),
}
)
factory = Factory(schemas={A: schema})
parsed_a = factory.load(data, A)
Important: When serializing to list all list items with no fields to place will be filled with None.
Additional steps
You can set pre_parse, post_parse, pre_serialize and post_serialize schema attributes to provide additional parsing/serializing steps.
For example, if you want to store some field as string containing json data and check value of other field you can write code like
@dataclass
class Data:
items: List[str]
name: str
def post_serialize(data):
data["items"] = json.dumps(data["items"])
return data
def pre_parse(data):
data["items"] = json.loads(data["items"])
return data
def post_parse(data: Data) -> Data:
if not data.name:
raise ValueError("Name must not be empty")
return data
data_schema = Schema[Data](
post_serialize=post_serialize,
pre_parse=pre_parse,
post_parse=post_parse,
)
factory = Factory(schemas={Data: data_schema})
data = Data(['a', 'b'], 'My Name')
serialized = {'items': '["a", "b"]', 'name': 'My Name'}
assert factory.dump(data) == serialized
assert factory.load(serialized, Data) == data
try:
factory.load({'items': '[]', 'name': ''}, Data)
except ValueError as e:
print("Error detected:", e) # Error detected: Name must not be empty
Important: Data, passed to pre_serialize is not a copy. Be careful modifying it.
Schema inheritance
In some case it is useful not to create instance of Schema, but child class.
class DataSchema(Schema[Any]):
skip_internal = True
def post_parse(self, data):
print("parsing done")
return data
factory = Factory(default_schema=DataSchema(trim_trailing_underscore=False))
factory.load(1, int) # prints: parsing done
Important:
- Factory creates a copy of schema for each type filling missed args. If you need to get access to some data in schema,
get a working instance of schema with
Factory.schemamethod - Single schema instance can be used multiple time simultaneously because of multithreading or recursive structures. Be careful modifying data in schema
Supported types
- numeric types (
int,float,Decimal) boolstr,bytearrayListTuple, including something likeTuple[int, ...]orTuple[int, str, int]DictEnumis converted using its valueOptionalAny, using this type no conversion is done during parsing. But serialization is based on real data typeUniondataclassGenericdataclassesdatetimeandUUIDcan be converted using predefind schemas- Custom classes can be parsed automatically using info from their
__init__method.
Or you can provide custom praser/serializer
Updating from previous versions
In versions 1.1+:
- separate
ParserFactoryandSerializerFactoryshould be refused in favor ofFactory trim_trailing_underscoreof factories parameter moved todefault_schematype_factories,name_stylesandtype_serializersmoved toschemasdict
In versions <1.1:
dict_factoryused withasdictfunction must be replaced withFactory-based seralization as it is much faster
In versions <1.0:
parsemethod must be replaced withFactory-based parsing as it much faster
All old methods and classes are still avaiable but are deprecated ant will be removed in future versions
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
File details
Details for the file dataclass_factory-2.3.tar.gz.
File metadata
- Download URL: dataclass_factory-2.3.tar.gz
- Upload date:
- Size: 18.4 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/1.13.0 pkginfo/1.5.0.1 requests/2.21.0 setuptools/40.8.0 requests-toolbelt/0.9.1 tqdm/4.32.1 CPython/3.7.3
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
62642865b0b8cabf404b3b7dc28cf6621b0f771d7a1e397a85a5244cbdb17e3f
|
|
| MD5 |
144f4730615d4a56e9a3649a7d9dae71
|
|
| BLAKE2b-256 |
af4021921703834553592c698dde2a37553befda60fdfd282d73bdd3a8a96fb8
|