我正在寻找一种将参数传递给子类的简单方法。 https://www.python.org/dev/peps/pep-0487/提供了这样一种表示法:class C(Base, arg=value)
。这可以正常工作,并且可以通过mypy对常规类进行正确的类型检查,但是由于继承了某些Generic [T]的泛型类而失败(请参见下面的代码)。我想念什么?
我正在使用Python 3.6.8(Ubuntu 18.04的库存Python3)和mypy 0.740。
这里有两个最小的独立示例:一个可以将它们放入两个.py文件中,进行类型检查并运行它们。
此代码类型检查并正常运行:
# ok.py
# PEP 487, adapted from QuestBase example
class Foo(object):
variable = "???"
def __init_subclass__(cls, arg: str, **kwargs) -> None:
cls.variable = arg
super().__init_subclass__(**kwargs) # type: ignore
class Bar(Foo, arg="value"): ...
print(Bar.variable)
此代码类型检查,但在运行时失败,并显示TypeError: __init_subclass__() missing 1 required positional argument: 'arg'
:
# problem.py
from typing import Generic, TypeVar
T = TypeVar('T')
# PEP 487, adapted from QuestBase example
class Foo(Generic[T]):
variable = "???"
def __init_subclass__(cls, arg: str, **kwargs) -> None:
cls.variable = arg
super().__init_subclass__(**kwargs) # type: ignore
class Bar(Foo[T], arg="value"): ... # crash
崩溃日志:
Traceback (most recent call last):
File "problem.py", line 12, in <module>
class Bar(Foo[T], arg="value"): ... # crash
File "/usr/lib/python3.6/typing.py", line 682, in inner
return func(*args, **kwds)
File "/usr/lib/python3.6/typing.py", line 1143, in __getitem__
orig_bases=self.__orig_bases__)
File "/usr/lib/python3.6/typing.py", line 978, in __new__
self = super().__new__(cls, name, bases, namespace, _root=True)
File "/usr/lib/python3.6/typing.py", line 137, in __new__
return super().__new__(cls, name, bases, namespace)
File "/usr/lib/python3.6/abc.py", line 133, in __new__
cls = super().__new__(mcls, name, bases, namespace, **kwargs)
TypeError: __init_subclass__() missing 1 required positional argument: 'arg'
很明显,Python内部文件的崩溃表明我的文件有问题。同样,我想念什么?
是否有经过真正的类型检查解决方案或解决方法?
以下示例不是一个很好的解决方案(错误,但类型检查):
# fake.py
from typing import Generic, TypeVar
T = TypeVar('T')
class Foo(Generic[T]):
variable = "???"
class Bar(Foo[T]):
variable = "value"
class KO(Foo[T]):
... # forgot assignment but still typechecks
print(KO.variable) # "???"
以下示例,使用构建类的函数,在运行时很好,但不进行类型检查:mypy无法将函数的结果识别为可派生的基类:
# param.py
from typing import Generic, TypeVar, Type
T = TypeVar('T')
class Foo(Generic[T]):
variable = "???"
def bar(arg: str) -> Type[Foo[T]]:
class C(Foo[T]):
variable = arg
return C
Bar: Type[Foo[float]] = bar("value")
print(Bar.variable)
class Baz(Bar): ... # doesn't typecheck
print(Baz.variable)
错误日志:
param.py:16: error: Variable "param.Bar" is not valid as a type
param.py:16: error: Invalid base class "Bar"
取决于您的Python版本,Foo[T]
可能是Foo
的子类,也可能是其他一些奇怪的对象。 Python 3.6.8是其中Foo[T]
是Foo
的子类的版本之一。由于它是Foo
的子类,因此需要使用arg
的某个值来创建它,但是它没有一个值,因此会出现错误。
在Python 3.7和3.8上,Foo[T]
不是Foo
的子类,实际上,它根本不是一个类。在这些版本上,您的代码应该可以正常工作。 (我测试了3.7.0,它仍然有效。)不过,我不能指望它保持良好的状态。他们不断对typing
内部进行奇怪的新更改,因此将来可能会出现问题。