Skip to content

Commit 9d78886

Browse files
authored
Non-XML dataclass/ignored fields (#2)
1 parent 45f42b1 commit 9d78886

8 files changed

+77
-6
lines changed

README.md

+27-1
Original file line numberDiff line numberDiff line change
@@ -20,6 +20,7 @@ Requires Python 3.7 or higher.
2020
* Inheritance does work, but has the same limitations as dataclasses. Inheriting from base classes with required fields and declaring optional fields doesn't work due to field order. This isn't recommended
2121
* Namespace support is decent as long as correctly declared. I've tried on several real-world examples, although they were known to be valid. `lxml` does a great job at expanding namespace information when loading and simplifying it when saving
2222
* Post-load validation hook `xml_validate`
23+
* Fields not required in the constructor are ignored by this library (via `ignored()` or `init=False`)
2324

2425
## Patterns
2526

@@ -84,6 +85,14 @@ def xml_validate(self) -> None:
8485

8586
If defined, the `load` function will call it after all values have been loaded and assigned to the XML dataclass. You can validate the fields you want inside this method. Return values are ignored; instead raise and catch exceptions.
8687

88+
### Ignored fields
89+
90+
Fields not required in the constructor are ignored by this library (new in version 0.0.6). This is useful if you want to populate a field via post-load validation.
91+
92+
You can simply set `init=False`, although you may also want to exclude the field from comparisons. The `ignored` function does this, and can also be used.
93+
94+
The name doesn't matter, but it might be useful to use the `_` prefix as a convention.
95+
8796
## Example (fully type hinted)
8897

8998
(This is a simplified real world example - the container can also include optional `links` child elements.)
@@ -192,10 +201,27 @@ This makes sense in many cases, but possibly not every case.
192201
Most of these limitations/assumptions are enforced. They may make this project unsuitable for your use-case.
193202

194203
* If you need to pass any parameters to the wrapped `@dataclass` decorator, apply it before the `@xml_dataclass` decorator
195-
* Setting the `init` parameter of a dataclass' `field` will lead to bad things happening, this isn't supported.
196204
* Deserialisation is strict; missing required attributes and child elements will cause an error. I want this to be the default behaviour, but it should be straightforward to add a parameter to `load` for lenient operation
197205
* Dataclasses must be written by hand, no tools are provided to generate these from, DTDs, XML schema definitions, or RELAX NG schemas
198206

207+
## Changelog
208+
209+
### [0.0.6] - 2020-03-25
210+
211+
* Allow ignored fields via `init=false` or the `ignored` function
212+
213+
### [0.0.5] - 2020-02-18
214+
215+
* Fixed type hinting for consumers. While the library passed mypy validation, it was hard to get XML dataclasses in a codebase to pass mypy validation
216+
217+
### [0.0.4] - 2020-02-16
218+
219+
* Improved type resolving. This lead to easier field definitions, as `attr` and `child` are no longer needed because the type of the field is inferred
220+
221+
### [0.0.3] - 2020-02-16
222+
223+
* Added support for union types on children
224+
199225
## Development
200226

201227
This project uses [pre-commit](https://pre-commit.com/) to run some linting hooks when committing. When you first clone the repo, please run:

functional/container_test.py

+11-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,15 @@
55
import pytest # type: ignore
66
from lxml import etree # type: ignore
77

8-
from xml_dataclasses import NsMap, XmlDataclass, dump, load, rename, xml_dataclass
8+
from xml_dataclasses import (
9+
NsMap,
10+
XmlDataclass,
11+
dump,
12+
ignored,
13+
load,
14+
rename,
15+
xml_dataclass,
16+
)
917

1018
from .utils import lmxl_dump
1119

@@ -36,10 +44,12 @@ class Container(XmlDataclass):
3644
version: str
3745
rootfiles: RootFiles
3846
# WARNING: this is an incomplete implementation of an OPF container
47+
_version: int = ignored()
3948

4049
def xml_validate(self) -> None:
4150
if self.version != "1.0":
4251
raise ValueError(f"Unknown container version '{self.version}'")
52+
self._version = 1
4353

4454

4555
@pytest.mark.parametrize("remove_blank_text", [True, False])

pyproject.toml

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
[tool.poetry]
22
name = "xml_dataclasses"
3-
version = "0.0.5"
3+
version = "0.0.6"
44
description = "(De)serialize XML documents into specially-annotated dataclasses"
55
authors = ["Toby Fleming <[email protected]>"]
66
license = "MPL-2.0"

src/xml_dataclasses/__init__.py

+2-1
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,7 @@
22

33
logging.getLogger(__name__).addHandler(logging.NullHandler())
44

5-
from .modifiers import rename, text # isort:skip
5+
from .modifiers import rename, text, ignored # isort:skip
66
from .resolve_types import ( # isort:skip
77
is_xml_dataclass,
88
xml_dataclass,
@@ -23,4 +23,5 @@
2323
"xml_dataclass",
2424
"NsMap",
2525
"XmlDataclass",
26+
"ignored",
2627
]

src/xml_dataclasses/modifiers.py

+7
Original file line numberDiff line numberDiff line change
@@ -46,3 +46,10 @@ def text(
4646
metadata["xml:text"] = True
4747
f.metadata = metadata
4848
return f # type: ignore
49+
50+
51+
# NOTE: Actual return type is 'Field[_T]', but we want to help type checkers
52+
# to understand the magic that happens at runtime.
53+
# see https://github.com/python/typeshed/blob/master/stdlib/3.7/dataclasses.pyi
54+
def ignored() -> _T:
55+
return field(init=False, compare=False) # type: ignore

src/xml_dataclasses/resolve_types.py

+4
Original file line numberDiff line numberDiff line change
@@ -257,6 +257,10 @@ def xml_dataclass(cls: Type[Any]) -> Type[XmlDataclassInstance]:
257257
children: List[ChildInfo] = []
258258
text_field = None
259259
for f in fields(cls):
260+
# ignore fields not required in the constructor
261+
if not f.init:
262+
continue
263+
260264
field_info = _resolve_field_type(f)
261265
if isinstance(field_info, TextInfo):
262266
if text_field is not None:

tests/modifiers_test.py

+7-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,7 @@
55

66
import pytest
77

8-
from xml_dataclasses.modifiers import rename, text
8+
from xml_dataclasses.modifiers import ignored, rename, text
99

1010

1111
def dict_comb(items, r=2):
@@ -82,3 +82,9 @@ def test_text_has_field_default_ignored(default):
8282
assert actual_field is expected_field
8383
assert actual_field.default is MISSING
8484
assert actual_field.metadata == expected_md
85+
86+
87+
def test_ignored_field():
88+
actual_field = ignored()
89+
assert not actual_field.init
90+
assert not actual_field.compare

tests/resolve_types_resolve_test.py

+18-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
from dataclasses import dataclass
1+
from dataclasses import dataclass, field, fields
22
from itertools import product
33
from typing import List, Optional, Union, _GenericAlias
44

@@ -118,3 +118,20 @@ class Foo:
118118
# resolve_types_resolve_test.XmlDt1]], NoneType]
119119
assert set(bar.base_types) == types
120120
assert bar.is_list is is_list
121+
122+
123+
def test_non_ctor_field_is_ignored():
124+
@xml_dataclass
125+
class Foo:
126+
__ns__ = None
127+
bar: str = field(init=False)
128+
129+
assert not Foo.__attributes__
130+
assert not Foo.__text_field__
131+
assert not Foo.__children__
132+
133+
dt_fields = fields(Foo)
134+
assert len(dt_fields) == 1
135+
dt_field = dt_fields[0]
136+
assert dt_field.name == "bar"
137+
assert not dt_field.init

0 commit comments

Comments
 (0)