有人能提供详细解释为何会发生这种情况吗?在这种情况下,Python编译器如何创建类变量?
class A(object):
x = 1
y = x + 1
class B(A):
x = 10
>>> B.x
10
>>> B.y
2 # ---> I was expecting 11 here, why does this y still uses the A's value?
答案 0 :(得分:5)
因为类变量是在评估类本身的同时进行的。此处的事件序列为:A
已定义且其中的值已设置,因此x
为1且y
为2.然后定义B
,并且x
中的B
条目设置为10.然后您访问B.y
,并且由于y
中没有B
条目,它会检查其父类。它确实在y
中找到A
条目,其值为2
。 y
只定义一次。
如果你真的想要这样一个变量,你可能想要定义一个类方法。
class A:
x = 1
@classmethod
def y(cls):
return cls.x + 1
class B(A):
x = 10
>>> B.y()
11
答案 1 :(得分:1)
这是因为y
是属于A的类属性,因此在B
的类实例中更改x的值不会更改y
的值。您可以在文档中了解更多相关信息:https://docs.python.org/2/tutorial/classes.html#class-objects
答案 2 :(得分:-1)
它没有那样做。
>>> class A(object):
... x = 1
... y = x + 1
...
>>> class B(object):
... x = 10
...
>>> B.x
10
>>> B.y
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: type object 'B' has no attribute 'y'