python中@property的作用和getter setter的解釋
@property作用:
python的@property是python的一種裝飾器,是用來修飾方法的。
我們可以使用@property裝飾器來創建隻讀屬性,@property裝飾器會將方法轉換為相同名稱的隻讀屬性,可以與所定義的屬性配合使用,這樣可以防止屬性被修改。
1.修飾方法,讓方法可以像屬性一樣訪問。
class DataSet(object): @property def method_with_property(self): ##含有@property return 15 def method_without_property(self): ##不含@property return 15 l = DataSet() print(l.method_with_property) # 加瞭@property後,可以用調用屬性的形式來調用方法,後面不需要加()。 print(l.method_without_property()) #沒有加@property , 必須使用正常的調用方法的形式,即在後面加()#兩個都輸出為15。
如果使用property進行修飾後,又在調用的時候,方法後面添加瞭(), 那麼就會顯示錯誤信息:TypeError: ‘int’ object is not callable,也就是說添加@property 後,這個方法就變成瞭一個屬性,如果後面加入瞭
(),那麼就是當作函數來調用,而它卻不是callable(可調用)的。
2.與所定義的屬性配合使用,這樣可以防止屬性被修改。
由於python進行屬性的定義時,沒辦法設置私有屬性,因此要通過@property的方法來進行設置。這樣可以隱藏屬性名,讓用戶進行使用的時候無法隨意修改。
class DataSet(object): def __init__(self): self._images = 1 self._labels = 2 #定義屬性的名稱 @property def images(self): #方法加入@property後,這個方法相當於一個屬性,這個屬性可以讓用戶進行使用,而且用戶有沒辦法隨意修改。 return self._images @property def labels(self): return self._labels l = DataSet() #用戶進行屬性調用的時候,直接調用images即可,而不用知道屬性名_images,因此用戶無法更改屬性,從而保護瞭類的屬性。 print(l.images) # 加瞭@property後,可以用調用屬性的形式來調用方法,後面不需要加()。
getter和setter方法:
把一個getter方法變成屬性,隻需要加上@property
就可以瞭,此時,@property
本身又創建瞭另一個裝飾器@score.setter
,負責把一個setter方法變成屬性賦值,於是,我們就擁有一個可控的屬性操作:
class Student(object): @property def score(self): return self._score @score.setter def score(self, value): if not isinstance(value, int): raise ValueError('score must be an integer!') if value < 0 or value > 100: raise ValueError('score must between 0 ~ 100!') self._score = value
我們在對實例屬性操作的時候,就知道該屬性很可能不是直接暴露的,而是通過getter和setter方法來實現的。
還可以定義隻讀屬性,隻定義getter方法,不定義setter方法就是一個隻讀屬性:
class Student(object): @property def birth(self): return self._birth @birth.setter #設置屬性 def birth(self, value): self._birth = value @property def age(self): return 2015 - self._birth
上面的birth
是可讀寫屬性,而age
就是一個隻讀屬性,因為age
可以根據birth
和當前時間計算出來。
小結
@property
廣泛應用在類的定義中,可以讓調用者寫出簡短的代碼,同時保證對參數進行必要的檢查,這樣,程序運行時就減少瞭出錯的可能性。
到此這篇關於python中@property的作用和getter setter的解釋的文章就介紹到這瞭,更多相關python中@property的作用和getter setter內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!
推薦閱讀:
- 詳解Python裝飾器之@property
- Python面向對象中的封裝詳情
- Python實現DBSCAN聚類算法並樣例測試
- Python中關於property使用的小技巧
- Python序列化與反序列化相關知識總結