在python中讨论类属性时的常见例子如下:
Python 2.7.6 (default, Sep 9 2014, 15:04:36)
>>> class B(object):
... cv = []
...
>>> b1 = B()
>>> b2 = B()
>>> b1.cv, b2.cv, B.cv
([], [], [])
>>> b1.cv.append(1)
>>> b1.cv, b2.cv, B.cv
([1], [1], [1])
>>> b2.cv.append(2)
>>> b1.cv, b2.cv, B.cv
([1, 2], [1, 2], [1, 2])
>>> B.cv.append(3)
>>> b1.cv, b2.cv, B.cv
([1, 2, 3], [1, 2, 3], [1, 2, 3])
它表明class属性在类及其所有实例之间共享。
但是当我们重新分配class属性的值时会发生这种情况,即没有将初始对象的变化限制为类属性:
>>> class A(object):
... cv = 0
...
>>> a1 = A()
>>> a2 = A()
>>> a1.cv, a2.cv, A.cv
(0, 0, 0)
>>> a1.cv = 1
>>> a1.cv, a2.cv, A.cv
(1, 0, 0)
>>> a2.cv = 2
>>> a1.cv, a2.cv, A.cv
(1, 2, 0)
>>> A.cv = 3
>>> a1.cv, a2.cv, A.cv
(1, 2, 3)
在这里我们可以看到,每次这个类属性存储其唯一值时,它都不会在实例和类名称空间中应用的下一个赋值中被覆盖。
为什么会出现这样的行为?
我无法理解它会导致什么样的逻辑导致如此不相关'行为"不可变" (A)和"可变的" (二)案件.. 这让我想到"没有任何使用类变量的感觉"因为他们可能容易出错...
我希望那个在这条隧道里看不见光的人......
答案 0 :(得分:2)
在第一个示例中,您将改变列表。 Universe中只有一个列表实例B.__dict__['cv']
。在第二个示例中,您可以指定值。执行此操作时,它们将在每个特定实例a(1|2|3)
中进行分配,因为这是属性设置在Python中的工作方式(它会保存到您尝试更改其属性的__dict__
)。您必须修改A.cv
才能修改所有内容,而a(1|2|3)
中所做的任何更改都将覆盖所做的更改。
(Python尝试使用a(1|2|3).__dict__
,然后回到A.__dict__
。)
答案 1 :(得分:1)
还有一个最后的例子解释了Chris Warrick的答案
>>> A.cv = 0
>>> a1, a2 = A(), A()
>>> A.cv, a1.cv, a2.cv
(0, 0, 0)
>>> A.cv = 1
>>> A.cv, a1.cv, a2.cv
(1, 1, 1)
>>> a1.cv = 2 # Here the new instance attribute is created for a1,
# and so it will hide the class attribute with the same name,
# once getting the value from instance namespace
>>> A.cv, a1.cv, a2.cv
(1, 2, 1)
>>> A.cv = 3
>>> A.cv, a1.cv, a2.cv
(3, 2, 3)
答案 2 :(得分:0)
如果您不打算通过实例使用类属性,则可以有效地使用类属性。例如,我喜欢在类属性中管理同一类的一组对象。如果您曾经听说过Pygame,那么我最常使用这种技术。
class Alien:
sprites = []
def __init__(self, x, y):
self.surf = pygame.image.load('Alien.png')
self.rect = self.surf.get_rect()
self.rect.topleft = (x, y)
Alien.sprites.append(self)
@staticmethod
def draw_sprites(screen):
for sprite in Alien.sprites:
screen.blit(sprite.surf, sprite.rect)
您是否了解使用类方法和属性如何轻松实现对象管理?