-
-
Notifications
You must be signed in to change notification settings - Fork 2.9k
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Add static_assert to verify type constraints in mypy #5687
Comments
I realize the particular syntax I have suggested here might be difficult to implement, as it would require extending Python so it knows not to evaluate the |
Mypy already has such feature, it is called |
FWIW there's a type of cast (probably downcast() would be a good name) that
I am missing more and more. It differs from cast() in two ways:
1. It inserts a runtime check that the object being cast is an instance of
the target class
2. The static check ensures that its type is an instance of a supertype of
the target type *other than object* (perhaps also disallowing ABC and a few
others)
Thus, if we had these classes:
class A: ...
class B(A): ...
class C(B): ...
class D(C): ...
def foo(d: D): ...
def bar() -> B: return D()
def baz() -> B: return C()
foo(downcast(D, bar())) # Passes both static and dynamic checks
foo(downcast(D, baz())) # Passes static check, fails dynamic check
class X: ...
foo(downcast(D, X())) # Fails static check (X and D have only object in
common in their MRO)
|
Yes, |
@ilevkivskyi My whole point here is that I would like a type-checked cast. So for example, if from typing import cast, Optional, Generic, TypeVar
class A:
pass
class B:
pass
a: Optional[A] = None
a = cast(A, B()) # Should be type error and the case I would really like to be able to check is this one: T = TypeVar('T')
U = TypeVar('U')
class C(Generic[T, U]):
def method(self, t: T) -> U:
return cast(U, t) This case might or might not be an error, depending on how |
I agree that something like @gvanrossum Can you create a separate issue focused on |
+1 a static_assert would be useful. For my particular use case, I'm not looking to do any casting, but just to add static asserts to tests and such to make sure "compile"-time types are what I expect them to be. My current workflow involves sprinkling in reveal_type() and then verifying manually. Runtime type checks in tests are not sufficient because "compile"-time types may be overly broad (or incorrect). A general/arbitrary static_assert may be tricky to implement, but as proposed above, maybe |
+1, I'm running into this when converting third party API responses into properly typed dataclasses. I want to be able to write: raw_response: JsonDict
@dataclass
class ResponseDataclass:
field: str
ResponseDataclass(
field=downcast(str, raw_response['field'])
) I can give a stab at implementing this if a PR is welcome? |
As an aside, if we could declare lower bounds based on TypeVars we could implement TargetType = TypeVar('TargetType')
ValueType = TypeVar('ValueType', lower_bound=TargetType)
def downcast(target: Type[TargetType], value: ValueType) -> TargetType:
assert isinstance(value, target)
return value Or even better if we also have TargetType = TypeVar('TargetType')
ValueType = TypeVar('ValueType', lower_bound=TargetType)
def downcast(target: Type[TargetType], value: ValueType) -> Intersection[TargetType, ValueType]:
assert isinstance(value, target)
return value The latter would also take care of assigning the correct type parameters if e.g. |
@SemMulder Since we still don't have a consensus of how the feature would behave exactly, the easiest way to move forward might be to add it to |
Is there currently a way to make a version of The function in untyped python is:
|
@DustinWehr: With this annotation your function looks like a from typing import Any, Type, TypeVar
T = TypeVar('T')
def checked_cast(t: Type[T], x: Any) -> T:
assert isinstance(x, t), type(x)
return x Note that I dropped the tuple support in the type argument to keep things simple. If you're going to use this in actual code, it might be better to raise |
I have a real-world example where this would be useful. In my case I have the data role which determines if the passed value should go into the _data dict. Since the base class has typing.Any as the value, I don't want to restrict it in the function definition. import typing
from PyQt5 import QtCore
T = typing.TypeVar('T')
class CustomModel(QtCore.QAbstractTableModel, typing.Generic[T]):
def __init__(self, parent: typing.Optional[QtCore.QObject] = None) -> None:
super().__init__(parent)
self._data: typing.Dict[typing.Tuple[int, int], T] = {}
def setData(self,
index: QtCore.QModelIndex,
value: typing.Any,
role: int = QtCore.Qt.DisplayRole,
) -> typing.Any:
if role == QtCore.Qt.DisplayRole or role == QtCore.Qt.EditRole:
# static_assert(value, T)
self._data[index.row(), index.column()] = value
return super().setData(index, value, role)
def main() -> None:
app = QtCore.QCoreApplication([])
model = CustomModel[int]()
index = model.index(0, 0)
model.setData(index, 0) # This is okay
index = model.index(0, 1)
model.setData(index, '0') # I want mypy to report an error here, but currently it does not because of typing.Any.
if __name__ == '__main__':
main() |
There are a couple different feature requests here, but the relatively new Any additional requests should be discussed at https://github.com/python/typing |
Mypy's type checking works well in many cases, but there are some complex cases that are difficult to code for, and would be impossible or costly to check at runtime. I give an example of a case where this would be useful in #5666. While I give a slightly cumbersome possible solution there, another possibility is to use explicit casting:
This works, but it eliminates type safety, as I have to trust that the implementing class chooses
_IntermediateType
and_OutputType
in a way that that cast makes sense. If these were notTypeVar
s, I could do a runtime check likeassert issubclass(_IntermediateType, _OutputType)
to verify that this cast is safe, but obviously Python does not have enough information at runtime to do anissubclass
check withTypeVar
s or parameterizedGenerics
.I propose adding a
static_assert
statement, which would be ignored at runtime, but would be capable of evaluating statements aboutType
s in static analysis. So for example, in the code above, I could add:In the definition of the base class, this would be assumed to be true if there were any possible unification of
_IntermediateType
and_OutputType
that would allow it to be true (defaulting to true or producing a warning if this is non-trivial to evaluate), but thisstatic_assert
would be re-evaluated, whenever this class was subclassed/instantiated or this method was called, and if it could ever be determined to be false, would cause Mypy to raise an error.Any thoughts on this?
The text was updated successfully, but these errors were encountered: