-
Notifications
You must be signed in to change notification settings - Fork 555
/
test_variants.py
332 lines (286 loc) · 12.5 KB
/
test_variants.py
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
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
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
from __future__ import annotations
import dataclasses
import itertools
import json
import logging
import os
import re
from collections import OrderedDict, defaultdict
from collections.abc import Collection, Iterable
from dataclasses import dataclass, field
from pathlib import Path, PurePath
from re import Pattern
from typing import (
ClassVar,
Optional,
Union,
cast,
)
import pytest
from _pytest.mark.structures import Mark, MarkDecorator, ParameterSet
import rdflib.compare
import rdflib.util
from rdflib.graph import Dataset, _GraphT
from rdflib.namespace import XSD
from rdflib.term import URIRef
from test.data import TEST_DATA_DIR
from test.utils import GraphHelper
from test.utils.graph import GraphSource
MODULE_PATH = Path(__file__).parent
TEST_DIR = Path(__file__).parent.parent.absolute()
VARIANTS_DIR = TEST_DATA_DIR / "variants"
# Put files from other directories in here.
EXTRA_FILES: list[Path] = []
SUFFIX_FORMAT_MAP = {**rdflib.util.SUFFIX_FORMAT_MAP, "hext": "hext"}
@dataclass(frozen=True)
class GraphAsserts:
"""
A specification of asserts that must be checked against a graph.
"""
quad_count: Optional[int] = None
has_subject_iris: Optional[list[str]] = None
def check(self, graph: Dataset) -> None:
"""
if `first_graph` is `None` then this is the first check before any
other graphs have been processed.
"""
if self.quad_count is not None:
assert self.quad_count == len(list(graph.quads()))
if self.has_subject_iris is not None:
subjects_iris = {
f"{subject}"
for subject in graph.subjects()
if isinstance(subject, URIRef)
}
assert set(self.has_subject_iris) == subjects_iris
@classmethod
def from_path(cls, path: Path):
with path.open("r") as f:
keys = dataclasses.fields(cls)
data = json.load(f)
return cls(**{key.name: data[key.name] for key in keys if key.name in data})
@dataclass(frozen=True)
class GraphVariantsMeta(GraphAsserts):
"""
Meta information about a set of variants.
"""
public_id: Optional[str] = None
exact_match: bool = False
_VARIANT_PREFERENCE: dict[str, int] = dict(
(format, index)
for index, format in enumerate(
[
"python",
"nquads",
"nt",
"ntriples",
"turtle",
"ttl",
"trig",
"xml",
"hext",
]
)
)
@dataclass(order=True)
class GraphVariants:
"""
Represents multiple variants of a single graph in different files.
"""
key: str
variants: dict[str, GraphSource] = field(default_factory=OrderedDict)
meta: GraphVariantsMeta = field(default_factory=GraphVariantsMeta)
_variant_regex: ClassVar[Pattern[str]] = re.compile(
r"^(.*?)(|[-]variant-[^/]+|[-]asserts|[-]meta)$"
)
def __post_init__(self) -> None:
self.ordered_variants = sorted(
self.variants.items(),
key=lambda variant: _VARIANT_PREFERENCE.get(variant[1].format, 1000),
)
def pytest_param(
self,
marks: Optional[
Union[MarkDecorator, Collection[Union[MarkDecorator, Mark]]]
] = None,
) -> ParameterSet:
if marks is None:
marks = cast(tuple[MarkDecorator], tuple())
return pytest.param(self, id=self.key, marks=marks)
@property
def public_id(self) -> str:
return self.meta.public_id or f"example:rdflib:test:data:variant:{self.key}"
@property
def preferred_variant(self) -> tuple[str, GraphSource]:
return self.ordered_variants[0]
def load(self, variant_key: str, graph_type: type[_GraphT]) -> _GraphT:
variant = self.variants[variant_key]
return variant.load(public_id=self.public_id, graph_type=graph_type)
@classmethod
def _decompose_path(cls, file_path: Path, basedir: Optional[Path]):
if basedir:
file_path = file_path.absolute().resolve().relative_to(basedir)
name_noext, ext = os.path.splitext(file_path)
name_noext_path = PurePath(name_noext)
match = cls._variant_regex.match("/".join(name_noext_path.parts))
if match is None:
raise RuntimeError(f"{cls._variant_regex!r} did not match {name_noext}")
file_key = match.group(1)
variant_key = f"{match.group(2)}{ext}"
return (file_key, variant_key)
@classmethod
def for_files(
cls, file_paths: Iterable[Path], basedir: Optional[Path] = None
) -> dict[str, GraphVariants]:
graph_sources: defaultdict[str, dict[str, GraphSource]] = defaultdict(dict)
graph_meta: dict[str, GraphVariantsMeta] = {}
for file_path in file_paths:
file_key, variant_key = cls._decompose_path(file_path, basedir)
file_graph_sources = graph_sources[file_key]
if variant_key.endswith("-meta.json"):
if file_key in graph_meta:
raise RuntimeError(f"Duplicate meta for {file_key} in {file_path}")
graph_meta[file_key] = GraphVariantsMeta.from_path(file_path)
else:
if variant_key in file_graph_sources:
raise RuntimeError(
f"Duplicate variant {variant_key} for {file_key} in {file_path}"
)
file_graph_sources[variant_key] = GraphSource.from_path(file_path)
graph_variant_dict = {}
for file_key, variants in graph_sources.items():
if file_key in graph_meta:
meta = graph_meta[file_key]
del graph_meta[file_key]
else:
meta = GraphVariantsMeta()
if len(variants) < 2:
raise RuntimeError(f"Only one variant for {file_key}")
graph_variant_dict[file_key] = GraphVariants(file_key, variants, meta)
if graph_meta:
raise RuntimeError(f"Unmatched meta {graph_meta}")
return graph_variant_dict
@classmethod
def for_directory(
cls, directory: Path, basedir: Optional[Path] = None
) -> dict[str, GraphVariants]:
file_paths = []
for file_path in directory.glob("*"):
if not file_path.is_file():
continue
if file_path.name.endswith(".md"):
continue
file_paths.append(file_path)
return cls.for_files(file_paths, basedir)
GRAPH_VARIANTS_DICT = {
**GraphVariants.for_directory(VARIANTS_DIR, TEST_DATA_DIR),
**GraphVariants.for_files(EXTRA_FILES, TEST_DIR),
}
EXPECTED_FAILURES: dict[tuple[str, Optional[str]], MarkDecorator] = {
("variants/schema_only_base", ".ttl"): pytest.mark.xfail(
reason="Some issue with handling base URI that does not end with a slash",
raises=ValueError,
),
("variants/schema_only_base", ".n3"): pytest.mark.xfail(
reason="Some issue with handling base URI that does not end with a slash",
raises=ValueError,
),
("variants/rdf11trig_eg2", ".hext"): pytest.mark.xfail(
reason="""
This fails randomly, passing less than 10% of the time, and always failing
with comparing hext against trig. Not clear why, it may be a big with hext
parsing.
AssertionError: checking rdf11trig_eg2.hext against rdf11trig_eg2.trig
in both:
(rdflib.term.BNode('cb0'), rdflib.term.URIRef('http://xmlns.com/foaf/0.1/mbox'), rdflib.term.URIRef('mailto:bob@oldcorp.example.org'))
(rdflib.term.BNode('cb0'), rdflib.term.URIRef('http://xmlns.com/foaf/0.1/name'), rdflib.term.Literal('Bob'))
(rdflib.term.URIRef('http://example.org/bob'), rdflib.term.URIRef('http://purl.org/dc/terms/publisher'), rdflib.term.Literal('Bob'))
(rdflib.term.URIRef('http://example.org/alice'), rdflib.term.URIRef('http://purl.org/dc/terms/publisher'), rdflib.term.Literal('Alice'))
only in first:
(rdflib.term.BNode('cb0'), rdflib.term.URIRef('http://xmlns.com/foaf/0.1/knows'), rdflib.term.BNode('cbb5eb12b5dcf688537b0298cce144c6dd68cf047530d0b4a455a8f31f314244fd'))
(rdflib.term.BNode('cbb5eb12b5dcf688537b0298cce144c6dd68cf047530d0b4a455a8f31f314244fd'), rdflib.term.URIRef('http://xmlns.com/foaf/0.1/mbox'), rdflib.term.URIRef('mailto:alice@work.example.org'))
(rdflib.term.BNode('cbb5eb12b5dcf688537b0298cce144c6dd68cf047530d0b4a455a8f31f314244fd'), rdflib.term.URIRef('http://xmlns.com/foaf/0.1/name'), rdflib.term.Literal('Alice'))
only in second:
(rdflib.term.BNode('cb0'), rdflib.term.URIRef('http://xmlns.com/foaf/0.1/knows'), rdflib.term.BNode('cbcd41774964510991c01701d8430149bc373e1f23734d9c938c81a40b1429aa33'))
(rdflib.term.BNode('cbcd41774964510991c01701d8430149bc373e1f23734d9c938c81a40b1429aa33'), rdflib.term.URIRef('http://xmlns.com/foaf/0.1/mbox'), rdflib.term.URIRef('mailto:alice@work.example.org'))
(rdflib.term.BNode('cbcd41774964510991c01701d8430149bc373e1f23734d9c938c81a40b1429aa33'), rdflib.term.URIRef('http://xmlns.com/foaf/0.1/name'), rdflib.term.Literal('Alice'))
""",
raises=AssertionError,
),
("variants/diverse_quads", ".nq"): pytest.mark.xfail(
reason="""
Problems with default/implicit datatype of strings. It should be
xsd:string, but for some parsers it is not. See
<https://github.com/RDFLib/rdflib/issues/1326> for more info.
""",
raises=AssertionError,
),
("variants/diverse_quads", ".jsonld"): pytest.mark.xfail(
reason="""
Problems with default/implicit datatype of strings. It should be
xsd:string, but for some parsers it is not. See
<https://github.com/RDFLib/rdflib/issues/1326> for more info.
""",
raises=AssertionError,
),
}
def tests_found() -> None:
logging.debug("VARIANTS_DIR = %s", VARIANTS_DIR)
logging.debug("EXTRA_FILES = %s", EXTRA_FILES)
assert len(GRAPH_VARIANTS_DICT) >= 1
logging.debug("ALL_VARIANT_GRAPHS = %s", GRAPH_VARIANTS_DICT)
xml_literal = GRAPH_VARIANTS_DICT.get("variants/xml_literal")
assert xml_literal is not None
assert len(xml_literal.variants) >= 5
assert xml_literal.meta.quad_count == 1
_PREFERRED_GRAPHS: dict[str, Dataset] = {}
def load_preferred(graph_variants: GraphVariants) -> Dataset:
if graph_variants.key in _PREFERRED_GRAPHS:
return _PREFERRED_GRAPHS[graph_variants.key]
preferred_variant = graph_variants.preferred_variant
preferred_graph = graph_variants.load(preferred_variant[0], Dataset)
GraphHelper.strip_literal_datatypes(preferred_graph, {XSD.string})
_PREFERRED_GRAPHS[graph_variants.key] = preferred_graph
return preferred_graph
def make_variant_source_cases() -> Iterable[ParameterSet]:
for graph_variants in GRAPH_VARIANTS_DICT.values():
variants = graph_variants.ordered_variants
preferred_variant = variants[0]
preferred_key = preferred_variant[0]
for variant_key in itertools.chain([None], (i[0] for i in variants[1:])):
marks = []
if (graph_variants.key, variant_key) in EXPECTED_FAILURES:
marks.append(EXPECTED_FAILURES[(graph_variants.key, variant_key)])
yield pytest.param(
graph_variants,
variant_key,
marks=marks,
id=f"{graph_variants.key}-{preferred_key}-{variant_key}",
)
@pytest.mark.parametrize(["graph_variants", "variant_key"], make_variant_source_cases())
def test_variant_source(
graph_variants: GraphVariants, variant_key: Optional[str]
) -> None:
"""
All variants of a graph are isomorphic with the preferred variant,
and thus eachother.
"""
preferred_path = graph_variants.preferred_variant[1].path
preferred_graph: Dataset = load_preferred(graph_variants)
if variant_key is None:
# Only check asserts against the preferred variant, and only
# when not comparing variants.
graph_variants.meta.check(preferred_graph)
else:
variant_path = graph_variants.variants[variant_key].path
variant_graph = graph_variants.load(variant_key, Dataset)
GraphHelper.strip_literal_datatypes(variant_graph, {XSD.string})
if graph_variants.meta.exact_match:
GraphHelper.assert_quad_sets_equals(preferred_graph, variant_graph)
else:
GraphHelper.assert_cgraph_isomorphic(
preferred_graph,
variant_graph,
False,
f"checking {variant_path.relative_to(VARIANTS_DIR)} against {preferred_path.relative_to(VARIANTS_DIR)}",
)