Skip to content

Commit c780d64

Browse files
committed
Closes #15
1 parent 8a1920e commit c780d64

File tree

5 files changed

+116
-31
lines changed

5 files changed

+116
-31
lines changed

test/test_00_validate.py

+18
Original file line numberDiff line numberDiff line change
@@ -370,3 +370,21 @@ def test_numpy_array_error() -> None:
370370
validate(val, npt.NDArray[typing.Union[np.uint16,np.float32]])
371371
with pytest.raises(TypeError):
372372
validate(val, npt.NDArray[np.str_])
373+
374+
375+
def test_typevar() -> None:
376+
T = typing.TypeVar("T")
377+
validate(10, T)
378+
validate(None, T)
379+
validate([0, "hello"], T)
380+
IntT = typing.TypeVar("IntT", bound=int)
381+
validate(10, IntT)
382+
with pytest.raises(TypeError):
383+
validate(None, IntT)
384+
with pytest.raises(TypeError):
385+
validate([0, 1], IntT)
386+
IntStrSeqT = typing.TypeVar("IntStrSeqT", bound=typing.Sequence[int|str])
387+
validate([0, "hello"], IntStrSeqT)
388+
validate("Hello", IntStrSeqT)
389+
with pytest.raises(TypeError):
390+
validate(0, IntStrSeqT)

test/test_01_can_validate.py

+13-5
Original file line numberDiff line numberDiff line change
@@ -90,11 +90,11 @@ def test_numpy_array() -> None:
9090
# pylint: disable = import-outside-toplevel
9191
import numpy as np
9292
import numpy.typing as npt
93-
can_validate(npt.NDArray[np.uint8])
94-
can_validate(npt.NDArray[typing.Union[np.uint8, np.float32]])
95-
can_validate(npt.NDArray[typing.Union[typing.Any, np.float32]])
96-
can_validate(npt.NDArray[typing.Any])
97-
can_validate(npt.NDArray[
93+
assert can_validate(npt.NDArray[np.uint8])
94+
assert can_validate(npt.NDArray[typing.Union[np.uint8, np.float32]])
95+
assert can_validate(npt.NDArray[typing.Union[typing.Any, np.float32]])
96+
assert can_validate(npt.NDArray[typing.Any])
97+
assert can_validate(npt.NDArray[
9898
typing.Union[
9999
np.float32,
100100
typing.Union[
@@ -103,3 +103,11 @@ def test_numpy_array() -> None:
103103
]
104104
]
105105
])
106+
107+
def test_typevar() -> None:
108+
T = typing.TypeVar("T")
109+
assert can_validate(T)
110+
IntT = typing.TypeVar("IntT", bound=int)
111+
assert can_validate(IntT)
112+
IntStrSeqT = typing.TypeVar("IntStrSeqT", bound=typing.Sequence[int|str])
113+
assert can_validate(IntStrSeqT)

typing_validation/inspector.py

+19-2
Original file line numberDiff line numberDiff line change
@@ -9,7 +9,7 @@
99
import collections.abc as collections_abc
1010
import sys
1111
import typing
12-
from typing import Any, Optional, Union, get_type_hints
12+
from typing import Any, Optional, TypeVar, Union, get_type_hints
1313

1414
if sys.version_info[1] >= 8:
1515
from typing import Literal
@@ -34,6 +34,7 @@
3434
typing.Tuple[Literal["collection"], None],
3535
typing.Tuple[Literal["mapping"], None],
3636
typing.Tuple[Literal["typed-dict"], type],
37+
typing.Tuple[Literal["typevar"], TypeVar],
3738
typing.Tuple[Literal["union"], int],
3839
typing.Tuple[Literal["tuple"], Optional[int]],
3940
typing.Tuple[Literal["user-class"], Optional[int]],
@@ -253,6 +254,9 @@ def _record_type(self, t: type) -> None:
253254
def _record_typed_dict(self, t: type) -> None:
254255
self._append_constructor_args(("typed-dict", t))
255256

257+
def _record_typevar(self, t: TypeVar) -> None:
258+
self._append_constructor_args(("typevar", t))
259+
256260
def _record_pending_type_generic(self, t: type) -> None:
257261
assert self._pending_generic_type_constr is None
258262
self._pending_generic_type_constr = ("type", t)
@@ -323,6 +327,20 @@ def _repr(
323327
return [
324328
indent + f"Literal[{', '.join(repr(p) for p in param)}]"
325329
], idx
330+
if tag == "typevar":
331+
assert isinstance(param, TypeVar)
332+
name = param.__name__
333+
bound = param.__bound__
334+
if bound is None:
335+
lines = [indent+f"TypeVar({name!r})"]
336+
else:
337+
bound_lines, idx = self._repr(idx + 1, level + 1)
338+
lines = [
339+
indent+f"TypeVar({name!r}, bound=",
340+
*bound_lines,
341+
indent+")"
342+
]
343+
return lines, idx
326344
if tag == "union":
327345
assert isinstance(param, int)
328346
lines = [indent + "Union["]
@@ -355,7 +373,6 @@ def _repr(
355373
return lines, idx
356374
pending_type = None
357375
if tag == "type":
358-
# if isinstance(param, type):
359376
if not isinstance(param, tuple):
360377
param_name = (
361378
param.__name__ if isinstance(param, type) else str(param)

typing_validation/validation.py

+34-12
Original file line numberDiff line numberDiff line change
@@ -10,11 +10,12 @@
1010
from keyword import iskeyword
1111
import sys
1212
import typing
13-
from typing import Any, ForwardRef, Hashable, Optional, Union, get_type_hints
13+
from typing import Any, ForwardRef, Hashable, Optional, TypeVar, Union, get_type_hints
1414
import typing_extensions
1515

1616
from .validation_failure import (
1717
InvalidNumpyDTypeValidationFailure,
18+
TypeVarBoundValidationFailure,
1819
ValidationFailureAtIdx,
1920
ValidationFailureAtKey,
2021
MissingKeysValidationFailure,
@@ -219,6 +220,14 @@ def _type_error(
219220
setattr(error, "validation_failure", validation_failure)
220221
return error
221222

223+
def _typevar_error(val: Any, t: Any, bound_error: TypeError) -> TypeError:
224+
assert hasattr(bound_error, "validation_failure"), bound_error
225+
cause = getattr(bound_error, "validation_failure")
226+
assert isinstance(cause, ValidationFailure), cause
227+
validation_failure = TypeVarBoundValidationFailure(val, t, cause)
228+
error = TypeError(str(validation_failure))
229+
setattr(error, "validation_failure", validation_failure)
230+
return error
222231

223232
def _idx_type_error(
224233
val: Any, t: Any, idx_error: TypeError, *, idx: int, ordered: bool
@@ -533,7 +542,6 @@ def _extract_dtypes(t: Any) -> typing.Sequence[Any]:
533542
return [t]
534543
raise TypeError()
535544

536-
537545
def _validate_numpy_array(val: Any, t: Any) -> None:
538546
import numpy as np # pylint: disable = import-outside-toplevel
539547
if not isinstance(val, TypeInspector):
@@ -569,6 +577,17 @@ def _validate_numpy_array(val: Any, t: Any) -> None:
569577
raise _numpy_dtype_error(val, t)
570578

571579

580+
def _validate_typevar(val: Any, t: TypeVar) -> None:
581+
if isinstance(val, TypeInspector):
582+
val._record_typevar(t)
583+
pass
584+
bound = t.__bound__
585+
if bound is not None:
586+
try:
587+
validate(val, bound)
588+
except TypeError as e:
589+
raise _typevar_error(val, t, e) from None
590+
572591
# def _validate_callable(val: Any, t: Any) -> None:
573592
# """
574593
# Callable validation
@@ -618,16 +637,16 @@ def validate(val: Any, t: Any) -> Literal[True]:
618637
619638
For structured types, the error message keeps track of the chain of validation failures, e.g.
620639
621-
>>> from typing import *
622-
>>> from typing_validation import validate
623-
>>> validate([[0, 1, 2], {"hi": 0}], list[Union[Collection[int], dict[str, str]]])
624-
TypeError: Runtime validation error raised by validate(val, t), details below.
625-
For type list[typing.Union[typing.Collection[int], dict[str, str]]], invalid value at idx: 1
626-
For union type typing.Union[typing.Collection[int], dict[str, str]], invalid value: {'hi': 0}
627-
For member type typing.Collection[int], invalid value at idx: 0
628-
For type <class 'int'>, invalid value: 'hi'
629-
For member type dict[str, str], invalid value at key: 'hi'
630-
For type <class 'str'>, invalid value: 0
640+
>>> from typing import *
641+
>>> from typing_validation import validate
642+
>>> validate([[0, 1, 2], {"hi": 0}], list[Union[Collection[int], dict[str, str]]])
643+
TypeError: Runtime validation error raised by validate(val, t), details below.
644+
For type list[typing.Union[typing.Collection[int], dict[str, str]]], invalid value at idx: 1
645+
For union type typing.Union[typing.Collection[int], dict[str, str]], invalid value: {'hi': 0}
646+
For member type typing.Collection[int], invalid value at idx: 0
647+
For type <class 'int'>, invalid value: 'hi'
648+
For member type dict[str, str], invalid value at key: 'hi'
649+
For type <class 'str'>, invalid value: 0
631650
632651
**Note.** For Python 3.7 and 3.8, use :obj:`~typing.Dict` and :obj:`~typing.List` instead of :obj:`dict` and :obj:`list` for the above examples.
633652
@@ -670,6 +689,9 @@ def validate(val: Any, t: Any) -> Literal[True]:
670689
val._record_any()
671690
return True
672691
return True
692+
if isinstance(t, TypeVar):
693+
_validate_typevar(val, t)
694+
return True
673695
if UnionType is not None and isinstance(t, UnionType):
674696
_validate_union(val, t, union_type=True)
675697
return True

typing_validation/validation_failure.py

+32-12
Original file line numberDiff line numberDiff line change
@@ -6,7 +6,7 @@
66

77
import sys
88
import typing
9-
from typing import Any, Mapping, Optional
9+
from typing import Any, Mapping, Optional, TypeVar
1010

1111
if sys.version_info[1] >= 8:
1212
from typing import Protocol
@@ -24,16 +24,6 @@
2424
from typing_extensions import Self
2525

2626

27-
# def _indent(msg: str, level: int = 1, *,
28-
# allow_newlines: bool = False) -> str:
29-
# """ Indent a block of text (possibly with newlines) """
30-
# ind = " "*2*level
31-
# if allow_newlines:
32-
# return ind+msg.replace("\n", "\n"+ind)
33-
# assert "\n" not in msg
34-
# return ind+msg
35-
36-
3727
def _indent_lines(lines: Sequence[str], level: int = 1) -> list[str]:
3828
"""Indent all given blocks of text."""
3929
if any("\n" in line for line in lines):
@@ -206,7 +196,11 @@ def __repr__(self) -> str:
206196
return f"{type(self).__name__}({repr(self.val)}, {repr(self.t)}{causes_str})"
207197

208198
def _str_type_descr(self, type_quals: tuple[str, ...] = ()) -> str:
209-
descr = "type alias" if isinstance(self.t, str) else "type"
199+
descr = (
200+
"type alias" if isinstance(self.t, str)
201+
else "type variable" if isinstance(self.t, TypeVar)
202+
else "type"
203+
)
210204
if type_quals:
211205
descr = " ".join(type_quals) + " " + descr
212206
return descr
@@ -437,6 +431,32 @@ def _str_main_msg(self, type_quals: tuple[str, ...] = ()) -> str:
437431
)
438432

439433

434+
class TypeVarBoundValidationFailure(ValidationFailure):
435+
"""
436+
Validation failures arising from the bound of a type variable.
437+
"""
438+
439+
def __new__(
440+
cls,
441+
val: Any,
442+
t: Any,
443+
bound_cause: ValidationFailure,
444+
*,
445+
type_aliases: Optional[Mapping[str, Any]] = None,
446+
) -> Self:
447+
# pylint: disable = too-many-arguments
448+
instance = super().__new__(
449+
cls, val, t, bound_cause, type_aliases=type_aliases
450+
)
451+
return instance
452+
453+
def _str_main_msg(self, type_quals: tuple[str, ...] = ()) -> str:
454+
return (
455+
f"For {self._str_type_descr(type_quals)} {repr(self.t)}, "
456+
f"value is not valid for upper bound."
457+
)
458+
459+
440460
def get_validation_failure(err: TypeError) -> ValidationFailure:
441461
"""
442462
Programmatic access to the validation failure tree for the latest validation call.

0 commit comments

Comments
 (0)