在類中每次執行個體化一個對象都會生産一個字典來儲存一個對象的所有的執行個體屬性,這樣非常的有用處,可以使我們任意的去設定新的屬性。
每次執行個體化一個對象Python都會配置設定一個固定大小記憶體的字典來儲存屬性,如果對象很多的情況下會浪費記憶體空間。
可通過__slots__方法告訴python不要使用字典,而且隻給一個固定集合的屬性配置設定空間
class Foo(object):
__slots__ = ("x","y","z")
def __init__(self,x,y):
self.x = x
self.y = y
self.z = None
def tell_info(self,name):
return getattr(self,name)
c = Foo(10,20)
# 設定和擷取__slots__中設定的可通路執行個體屬性
print(c.tell_info("x")) # 結果:10
c.z=50
print(c.tell_info("z")) # 結果:50
# 設定一個不在__slots__中存在的屬性,會報錯
c.e = 70 # AttributeError: 'Foo' object has no attribute 'e'
# 通路對象.__dict__ 也會直接報錯
print(c.__dict__) # AttributeError: 'Foo' object has no attribute '__dict__'