1 回答
TA贡献1808条经验 获得超4个赞
请记住,装饰器语法只是函数应用程序:
class Par:
def __init_subclass__(...):
...
Par = add_hello_world(Par)
最初绑定到Par定义的类__init_subclass__;内部定义的新类add_hello_world没有,这就是装饰后名称Par所指的类,以及您要继承的类。
顺便说一句,您仍然可以Par通过__init__.
显式调用装饰器:
class Par:
def __init_subclass__(self, *args, **kwargs):
must_have = "foo"
if must_have not in list(self.__dict__.keys()):
raise AttributeError(f"Must have {must_have}")
def __init__(self):
pass
Foo = Par # Keep this for confirmation
Par = add_hello_world(Par)
我们可以确认闭包保留了对原始类的引用:
>>> Par.__init__.__closure__[0].cell_contents
<class '__main__.Par'>
>>> Par.__init__.__closure__[0].cell_contents is Par
False
>>> Par.__init__.__closure__[0].cell_contents is Foo
True
如果您确实尝试对其进行子类化,您将得到预期的错误:
>>> class Bar(Par.__init__.__closure__[0].cell_contents):
... pass
...
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "tmp.py", line 16, in __init_subclass__
raise AttributeError(f"Must have {must_have}")
AttributeError: Must have foo
添加回答
举报