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
|
"""
General benchmarks that attempt to cover all field types, through by no means all uses of all field types.
"""
import json
from datetime import date, datetime, time
from decimal import Decimal
from uuid import UUID
import pytest
from pydantic_core import SchemaSerializer, SchemaValidator, ValidationError
from .complete_schema import input_data_lax, input_data_strict, input_data_wrong, schema, wrap_schema_in_root_model
def test_complete_valid():
lax_schema = schema()
cls = lax_schema['cls']
lax_validator = SchemaValidator(lax_schema)
output = lax_validator.validate_python(input_data_lax())
assert isinstance(output, cls)
assert len(output.__pydantic_fields_set__) == 41
output_dict = output.__dict__
assert output_dict == {
'field_str': 'fo',
'field_str_con': 'fooba',
'field_int': 1,
'field_int_con': 8,
'field_float': 1.0,
'field_float_con': 10.0,
'field_decimal': Decimal('42.0'),
'field_bool': True,
'field_bytes': b'foobar',
'field_bytes_con': b'foobar',
'field_date': date(2010, 2, 3),
'field_date_con': date(2020, 1, 1),
'field_time': time(12, 0),
'field_time_con': time(12, 0),
'field_datetime': datetime(2020, 1, 1, 12, 13, 14),
'field_datetime_con': datetime(2020, 1, 1),
'field_uuid': UUID('12345678-1234-5678-1234-567812345678'),
'field_list_any': ['a', b'b', True, 1.0, None] * 10,
'field_list_str': ['a', 'b', 'c'] * 10,
'field_list_str_con': ['a', 'b', 'c'] * 10,
'field_set_any': {'a', b'b', True, 1.0, None},
'field_set_int': set(range(100)),
'field_set_int_con': set(range(42)),
'field_frozenset_any': frozenset({'a', b'b', True, 1.0, None}),
'field_frozenset_bytes': frozenset([f'{i}'.encode() for i in range(100)]),
'field_frozenset_bytes_con': frozenset([f'{i}'.encode() for i in range(42)]),
'field_tuple_var_len_any': ('a', b'b', True, 1.0, None),
'field_tuple_var_len_float': tuple(i + 0.5 for i in range(100)),
'field_tuple_var_len_float_con': tuple(i + 0.5 for i in range(42)),
'field_tuple_fix_len': ('a', 1, 1.0, True),
'field_dict_any': {'a': 'b', 1: True, 1.0: 1.0}, # noqa: F601
'field_dict_str_float': {f'{i}': i + 0.5 for i in range(100)},
'field_literal_1_int': 1,
'field_literal_1_str': 'foobar',
'field_literal_mult_int': 3,
'field_literal_mult_str': 'foo',
'field_literal_assorted': 'foo',
'field_list_nullable_int': [1, None, 2, None, 3, None, 4, None],
'field_union': {'field_str': 'foo', 'field_int': 1, 'field_float': 1.0},
'field_functions_model': {
'field_before': 'foo Changed',
'field_after': 'foo Changed',
'field_wrap': 'Input foo Changed',
'field_plain': 'foo Changed',
},
'field_recursive': {
'name': 'foo',
'sub_branch': {'name': 'bar', 'sub_branch': {'name': 'baz', 'sub_branch': None}},
},
}
strict_validator = SchemaValidator(schema(strict=True))
output2 = strict_validator.validate_python(input_data_strict())
assert output_dict == output2.__dict__
def test_complete_invalid():
lax_schema = schema()
lax_validator = SchemaValidator(lax_schema)
with pytest.raises(ValidationError) as exc_info:
lax_validator.validate_python(input_data_wrong())
assert len(exc_info.value.errors(include_url=False)) == 739
@pytest.mark.benchmark(group='complete')
def test_complete_core_lax(benchmark):
v = SchemaValidator(schema())
benchmark(v.validate_python, input_data_lax())
@pytest.mark.benchmark(group='complete')
def test_complete_core_strict(benchmark):
v = SchemaValidator(schema(strict=True))
benchmark(v.validate_python, input_data_strict())
@pytest.mark.benchmark(group='complete')
def test_complete_core_root(benchmark):
v = SchemaValidator(wrap_schema_in_root_model(schema()))
benchmark(v.validate_python, {'root': input_data_lax()})
@pytest.mark.benchmark(group='complete-to-python')
def test_complete_core_serializer_to_python(benchmark):
core_schema = schema()
v = SchemaValidator(core_schema)
model = v.validate_python(input_data_lax())
serializer = SchemaSerializer(core_schema)
assert serializer.to_python(model) == model.__dict__
benchmark(serializer.to_python, model)
@pytest.mark.benchmark(group='complete-to-json')
def test_complete_core_serializer_to_json(benchmark):
core_schema = schema()
v = SchemaValidator(core_schema)
model = v.validate_python(input_data_lax())
serializer = SchemaSerializer(core_schema)
benchmark(serializer.to_json, model)
@pytest.mark.benchmark(group='complete-wrong')
def test_complete_core_error(benchmark):
v = SchemaValidator(schema())
data = input_data_wrong()
@benchmark
def f():
try:
v.validate_python(data)
except ValueError:
pass
else:
raise RuntimeError('expected ValueError')
@pytest.mark.benchmark(group='complete-wrong')
def test_complete_core_isinstance(benchmark):
v = SchemaValidator(schema())
data = input_data_wrong()
assert v.isinstance_python(data) is False
@benchmark
def f():
v.isinstance_python(data)
def default_json_encoder(obj):
if isinstance(obj, bytes):
return obj.decode('utf-8')
if isinstance(obj, (set, frozenset)):
return list(obj)
else:
raise TypeError(f'Object of type {type(obj)} is not JSON serializable')
@pytest.mark.benchmark(group='complete-json')
def test_complete_core_json(benchmark):
v = SchemaValidator(schema())
json_data = json.dumps(input_data_lax(), default=default_json_encoder)
benchmark(v.validate_json, json_data)
@pytest.mark.benchmark(group='complete-json')
def test_complete_core_root_json(benchmark):
v = SchemaValidator(wrap_schema_in_root_model(schema()))
json_data = json.dumps({'root': input_data_lax()}, default=default_json_encoder)
benchmark(v.validate_json, json_data)
@pytest.mark.benchmark(group='build')
def test_build_schema(benchmark):
lax_schema = schema()
benchmark(SchemaValidator, lax_schema)
|