__slot__ 限制

限制__slot__

上一篇有提到經過動態綁定:在類外部定義方法,而後動態地給類加上新的功能,使得類的實例都能調用外部方法。
但若是要限制實例的屬性,不容許動態地添加,該怎麼辦呢?python

爲了達到限制的目的,python容許在定義class的時候,定義一個特殊的 slots 變量,來限制該class實例動態添加屬性。
那使用__slot__的好處呢?code

  • 防止用戶隨意動態增長實例屬性;
  • 節約內存,由於動態綁定時屬性存儲在__dict__中;
  • 更快的屬性訪問速度。

例如:只容許對Student實例添加 name 和 age 屬性。繼承

>>> class Student(object):
...      __slots__ = ('name','age')    # 使用tuple定義容許綁定的屬性名稱
>>> s = Student()                      # 建立新的實例
>>> s.name = 'xlp'                     # 綁定屬性name
>>> s.age = 24                         # 綁定屬性age 
>>> s.score = 99                       # 綁定屬性score

# 可是score沒有放到__slots__中,因此不能綁定score屬性,報錯。
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
AttributeError: 'Student' object has no attribute 'score'

!!!可是__slots__定義的屬性只對當前類的實例起做用,對繼承的子類是不起做用的。除非在子類中也定義__slots__
這樣子類實例容許定義的屬性就是自身的__slots__ + 父類的__slots__ 限定的屬性。
例如:內存

>>> class SStudent(Student):
...     __slots__ = 'gender'
...
>>> g = SStudent()
>>> g.name = 'xxx'
>>> g.score = 99                # 子類依舊能夠動態綁定屬性
>>> g.gender = 'Female'
>>> g.teacher = 'Mrs. Wang'    # 不容許綁定咯~
Traceback (most recent call last):
 File "<input>", line 1, in <module>
AttributeError: 'SStudent' object has no attribute 'teacher'

子類SStudent除掉能夠綁定name、age,還能夠綁定定義在子類__slot__中的gender屬性。
可是teacher屬性沒有在__slot__限制中,故不能動態綁定,會報錯。input


❤ thanks for watching, keep on updating...
點個贊再走吧ast

相關文章
相關標籤/搜索