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
|
import re
from datetime import date, datetime, time, timedelta, timezone
from decimal import Decimal
from typing import Any
import pytest
from pydantic_core import SchemaError, SchemaValidator, ValidationError, core_schema
from ..conftest import Err, PyAndJson
@pytest.mark.parametrize(
'constraint',
['le', 'lt', 'ge', 'gt'],
)
def test_constraints_schema_validation_error(constraint: str) -> None:
with pytest.raises(SchemaError, match=f"'{constraint}' must be coercible to a time instance"):
SchemaValidator(core_schema.time_schema(**{constraint: 'bad_value'}))
@pytest.mark.parametrize(
'input_value,expected',
[
pytest.param(time(12, 13, 14), time(12, 13, 14), id='time'),
pytest.param(time(12, 13, 14, 123), time(12, 13, 14, 123), id='time-micro'),
pytest.param(time(12, 13, 14, tzinfo=timezone.utc), time(12, 13, 14, tzinfo=timezone.utc), id='time-tz'),
pytest.param('12:13:14', time(12, 13, 14), id='str'),
pytest.param('12:13:14Z', time(12, 13, 14, tzinfo=timezone.utc), id='str-tz'),
pytest.param(b'12:13:14', time(12, 13, 14), id='bytes'),
pytest.param((1,), Err('Input should be a valid time [type=time_type'), id='tuple'),
pytest.param(date(2022, 6, 8), Err('Input should be a valid time [type=time_type'), id='date'),
pytest.param(datetime(2022, 6, 8), Err('Input should be a valid time [type=time_type'), id='datetime'),
pytest.param(123, time(0, 2, 3, tzinfo=timezone.utc), id='int'),
pytest.param(float('nan'), Err('valid time format, NaN values not permitted [type=time_parsing,'), id='nan'),
pytest.param(float('inf'), Err('valid time format, numeric times may not exceed 86,399 seconds'), id='inf'),
pytest.param(float('-inf'), Err('valid time format, time in seconds should be positive'), id='-inf'),
pytest.param(Decimal('123'), time(0, 2, 3, tzinfo=timezone.utc), id='decimal'),
pytest.param(Decimal('123.123456'), time(0, 2, 3, 123456, tzinfo=timezone.utc), id='decimal-6dig'),
pytest.param(Decimal('123.1234562'), time(0, 2, 3, 123456, tzinfo=timezone.utc), id='decimal-7dig-up'),
pytest.param(Decimal('123.1234568'), time(0, 2, 3, 123457, tzinfo=timezone.utc), id='decimal-7dig-down'),
],
)
def test_time(input_value, expected):
v = SchemaValidator(core_schema.time_schema())
if isinstance(expected, Err):
with pytest.raises(ValidationError, match=re.escape(expected.message)):
v.validate_python(input_value)
else:
output = v.validate_python(input_value)
assert output == expected
@pytest.mark.parametrize(
'input_value,expected',
[
pytest.param('12:13:14', time(12, 13, 14), id='str'),
pytest.param('12:13:14.123', time(12, 13, 14, 123_000), id='str-micro'),
pytest.param('12:13:14.123456', time(12, 13, 14, 123_456), id='str-micro-6dig'),
pytest.param('12:13:14.123456', time(12, 13, 14, 123_456), id='str-micro-6dig'),
pytest.param('12:13:14.1234561', time(12, 13, 14, 123_456), id='str-micro-7dig'),
pytest.param(123, time(0, 2, 3, tzinfo=timezone.utc), id='int'),
pytest.param(123.4, time(0, 2, 3, 400_000, tzinfo=timezone.utc), id='float'),
pytest.param(123.0, time(0, 2, 3, tzinfo=timezone.utc), id='float.0'),
pytest.param(0, time(0, tzinfo=timezone.utc), id='int-zero'),
pytest.param(
86400,
Err(
'Input should be in a valid time format, numeric times may not exceed 86,399 seconds [type=time_parsing'
),
id='too-high',
),
pytest.param(
-1, Err('Input should be in a valid time format, time in seconds should be positive'), id='negative'
),
pytest.param(2**32, Err('numeric times may not exceed 86,399 seconds'), id='too-high-2**32'),
pytest.param(2**64, Err('numeric times may not exceed 86,399 seconds'), id='too-high-2**64'),
pytest.param(2**100, Err('numeric times may not exceed 86,399 seconds'), id='too-high-2**100'),
pytest.param(True, Err('Input should be a valid time [type=time_type'), id='bool'),
],
)
def test_time_json(py_and_json: PyAndJson, input_value, expected):
v = py_and_json({'type': 'time'})
if isinstance(expected, Err):
with pytest.raises(ValidationError, match=re.escape(expected.message)):
v.validate_test(input_value)
else:
output = v.validate_test(input_value)
assert output == expected
def test_time_error_microseconds_overflow(py_and_json: PyAndJson) -> None:
v = py_and_json(core_schema.time_schema(microseconds_precision='error'))
with pytest.raises(ValidationError) as exc_info:
v.validate_test('00:00:00.1234567')
# insert_assert(exc_info.value.errors(include_url=False))
assert exc_info.value.errors(include_url=False) == [
{
'type': 'time_parsing',
'loc': (),
'msg': 'Input should be in a valid time format, second fraction value is more than 6 digits long',
'input': '00:00:00.1234567',
'ctx': {'error': 'second fraction value is more than 6 digits long'},
}
]
# insert_assert(v.validate_test('00:00:00.123456'))
assert v.validate_test('00:00:00.123456') == time(0, 0, 0, 123456)
@pytest.mark.parametrize(
'input_value,expected',
[
(time(12, 13, 14, 15), time(12, 13, 14, 15)),
('12:13:14', Err('Input should be a valid time [type=time_type')),
(b'12:13:14', Err('Input should be a valid time [type=time_type')),
(1654646400, Err('Input should be a valid time [type=time_type')),
(True, Err('Input should be a valid time [type=time_type')),
(date(2022, 6, 8), Err('Input should be a valid time [type=time_type')),
(datetime(2022, 6, 8), Err('Input should be a valid time [type=time_type')),
],
)
def test_time_strict(input_value, expected):
v = SchemaValidator(core_schema.time_schema(strict=True))
if isinstance(expected, Err):
with pytest.raises(ValidationError, match=re.escape(expected.message)):
v.validate_python(input_value)
else:
output = v.validate_python(input_value)
assert output == expected
@pytest.mark.parametrize(
'input_value,expected',
[
('"12:13:14"', time(12, 13, 14)),
('"foobar"', Err('Input should be in a valid time format, invalid character in hour [type=time_parsing,')),
('123', Err('Input should be a valid time [type=time_type')),
],
)
def test_time_strict_json(input_value, expected):
v = SchemaValidator(core_schema.time_schema(strict=True))
if isinstance(expected, Err):
with pytest.raises(ValidationError, match=re.escape(expected.message)):
v.validate_json(input_value)
else:
output = v.validate_json(input_value)
assert output == expected
@pytest.mark.parametrize(
'kwargs,input_value,expected',
[
({}, '12:13:14', time(12, 13, 14)),
({'le': time(1)}, '00:12', time(0, 12)),
({'le': time(1)}, '01:00', time(1, 0)),
({'le': time(1)}, '01:01', Err('Input should be less than or equal to 01:00:00')),
({'le': time(1)}, time(1), time(1, 0)),
({'le': time(1)}, time(1, 1), Err('Input should be less than or equal to 01:00:00')),
({'lt': time(1)}, '00:59', time(0, 59)),
({'lt': time(1)}, '01:00', Err('Input should be less than 01:00:00')),
({'ge': time(1)}, '01:00', time(1)),
({'ge': time(1)}, '00:59', Err('Input should be greater than or equal to 01:00:00')),
({'gt': time(12, 13, 14, 123_456)}, '12:13:14.123457', time(12, 13, 14, 123_457)),
({'gt': time(12, 13, 14, 123_456)}, '12:13:14.123456', Err('Input should be greater than 12:13:14.123456')),
],
)
def test_time_kwargs(kwargs: dict[str, Any], input_value, expected):
v = SchemaValidator(core_schema.time_schema(**kwargs))
if isinstance(expected, Err):
with pytest.raises(ValidationError, match=re.escape(expected.message)) as exc_info:
v.validate_python(input_value)
errors = exc_info.value.errors(include_url=False)
assert len(errors) == 1
if len(kwargs) == 1:
key = list(kwargs.keys())[0]
assert key in errors[0]['ctx']
else:
output = v.validate_python(input_value)
assert output == expected
def test_time_bound_ctx():
v = SchemaValidator(core_schema.time_schema(gt=time(12, 13, 14, 123_456)))
with pytest.raises(ValidationError) as exc_info:
v.validate_python('12:13')
assert exc_info.value.errors(include_url=False) == [
{
'type': 'greater_than',
'loc': (),
'msg': 'Input should be greater than 12:13:14.123456',
'input': '12:13',
'ctx': {'gt': '12:13:14.123456'},
}
]
def test_dict_py():
v = SchemaValidator(
core_schema.dict_schema(keys_schema=core_schema.time_schema(), values_schema=core_schema.int_schema())
)
assert v.validate_python({time(12, 1, 1): 2, time(12, 1, 2): 4}) == {time(12, 1, 1): 2, time(12, 1, 2): 4}
def test_dict(py_and_json: PyAndJson):
v = py_and_json({'type': 'dict', 'keys_schema': {'type': 'time'}, 'values_schema': {'type': 'int'}})
assert v.validate_test({'12:01:01': 2, '12:01:02': 4}) == {time(12, 1, 1): 2, time(12, 1, 2): 4}
def test_union():
v = SchemaValidator(core_schema.union_schema(choices=[core_schema.str_schema(), core_schema.time_schema()]))
assert v.validate_python('12:01:02') == '12:01:02'
assert v.validate_python(time(12, 1, 2)) == time(12, 1, 2)
v = SchemaValidator(core_schema.union_schema(choices=[core_schema.time_schema(), core_schema.str_schema()]))
assert v.validate_python('12:01:02') == '12:01:02'
assert v.validate_python(time(12, 1, 2)) == time(12, 1, 2)
def test_aware():
v = SchemaValidator(core_schema.time_schema(tz_constraint='aware'))
value = time(12, 13, 15, tzinfo=timezone.utc)
assert value is v.validate_python(value)
assert v.validate_python('12:13:14Z') == time(12, 13, 14, tzinfo=timezone.utc)
value = time(12, 13, 15)
with pytest.raises(ValidationError, match=r'Input should have timezone info'):
v.validate_python(value)
with pytest.raises(ValidationError, match=r'Input should have timezone info'):
v.validate_python('12:13:14')
def test_naive():
v = SchemaValidator(core_schema.time_schema(tz_constraint='naive'))
value = time(12, 13, 15)
assert value is v.validate_python(value)
assert v.validate_python('12:13:14') == time(12, 13, 14)
value = time(12, 13, 15, tzinfo=timezone.utc)
with pytest.raises(ValidationError, match=r'Input should not have timezone info'):
v.validate_python(value)
with pytest.raises(ValidationError, match=r'Input should not have timezone info'):
v.validate_python('12:13:14Z')
def test_aware_specific():
v = SchemaValidator(core_schema.time_schema(tz_constraint=0))
value = time(12, 13, 15, tzinfo=timezone.utc)
assert value is v.validate_python(value)
assert v.validate_python('12:13:14Z') == time(12, 13, 14, tzinfo=timezone.utc)
value = time(12, 13, 14)
with pytest.raises(ValidationError, match='Input should have timezone info'):
v.validate_python(value)
value = time(12, 13, 15, tzinfo=timezone(timedelta(hours=1)))
with pytest.raises(ValidationError, match='Timezone offset of 0 required, got 3600') as exc_info:
v.validate_python(value)
# insert_assert(exc_info.value.errors())
assert exc_info.value.errors(include_url=False) == [
{
'type': 'timezone_offset',
'loc': (),
'msg': 'Timezone offset of 0 required, got 3600',
'input': value,
'ctx': {'tz_expected': 0, 'tz_actual': 3600},
}
]
with pytest.raises(ValidationError, match='Timezone offset of 0 required, got 3600'):
v.validate_python('12:13:14+01:00')
def test_neg_7200():
v = SchemaValidator(core_schema.time_schema(tz_constraint=-7200))
value = time(12, 13, 15, tzinfo=timezone(timedelta(hours=-2)))
assert value is v.validate_python(value)
value = time(12, 13, 14)
with pytest.raises(ValidationError, match='Input should have timezone info'):
v.validate_python(value)
value = time(12, 13, 15, tzinfo=timezone.utc)
with pytest.raises(ValidationError, match='Timezone offset of -7200 required, got 0'):
v.validate_python(value)
with pytest.raises(ValidationError, match='Timezone offset of -7200 required, got 0'):
v.validate_python('12:13:14Z')
def test_tz_constraint_too_high():
with pytest.raises(SchemaError, match='OverflowError: Python int too large to convert to C long'):
SchemaValidator(core_schema.time_schema(tz_constraint=2**64))
|