類和例項變數

例項變數對於每個例項都是唯一的,而類變數由所有例項共享。

class C:
    x = 2  # class variable

    def __init__(self, y):
        self.y = y  # instance variable

C.x
# 2
C.y
# AttributeError: type object 'C' has no attribute 'y'

c1 = C(3)
c1.x
# 2
c1.y
# 3

c2 = C(4)
c2.x
# 2
c2.y
# 4

可以在此類的例項上訪問類變數,但是分配給 class 屬性將建立一個影響類變數的例項變數

c2.x = 4
c2.x
# 4
C.x
# 2

需要注意的是變異的情況下,類變數可能會導致一些意想不到的後果。

class D:
    x = []
    def __init__(self, item):
        self.x.append(item)  # note that this is not an assigment!

d1 = D(1)
d2 = D(2)

d1.x
# [1, 2]
d2.x
# [1, 2]
D.x
# [1, 2]