python 中的@property的用法詳解
1.什麼是property
簡單地說就是一個類裡面的方法一旦被@property裝飾,就可以像調用屬性一樣地去調用這個方法,它能夠簡化調用者獲取數據的流程,而且不用擔心將屬性暴露出來,有人對其進行賦值操作(避免使用者的不合理操作)。需要註意的兩點是
- 調用被裝飾方法的時候是不用加括號的
- 方法定義的時候有且隻能有self一個參數
>>> class Goods(): def __init__(self,unit_price,weight): self.unit_price = unit_price self.weight = weight @property def price(self): return self.unit_price * self.weight >>> lemons = Goods(7,4) >>> >>> lemons.price 28
上面通過調用屬性的方式直接調用到 price 方法,property把復雜的處理過程封裝到瞭方法裡面去,取值的時候調用相應的方法名即可。
2.property屬性定義的兩種方式
A、裝飾器方式
在類的方法上應用@property裝飾器,即上面那種方式。
B、類屬性方式
創建一個實例對象賦值給類屬性
>>> class Lemons(): def __init__(self,unit_price=7): self.unit_price = unit_price def get_unit_price(self): return self.unit_price def set_unit_price(self,new_unit_price): self.unit_price = new_unit_price def del_unit_price(self): del self.unit_price x = property(get_unit_price, set_unit_price, del_unit_price) >>> fruit = Lemons() >>> >>> fruit.x #調用 fruit.x 觸發 get_unit_price 7 >>> >>> fruit.x = 9 #調用 fruit.x = 9 觸發 set_unit_price >>> >>> fruit.x 9 >>> >>> fruit.unit_price #調用 fruit.unit_price 觸發 get_unit_price 9 >>> del fruit.x #調用 del fruit.x 觸發 del_unit_price >>> >>> fruit.unit_price Traceback (most recent call last): File "<pyshell#23>", line 1, in <module> l.unit_price AttributeError: 'Lemons' object has no attribute 'unit_price'
property方法可以接收四個參數
- 第一個參數是獲得屬性的方法名,調用 對象.屬性時自動觸發
- 第二個參數是設置屬性的方法名, 給屬性賦值時自動觸發
- 第三個參數是刪除屬性的方法名,刪除屬性時自動觸發
- 第四個參數是字符串,是屬性的描述文檔,調用對象.屬性.doc時觸發
3.用property代替getter和setter方法
>>>class Watermelon(): def __init__(self,price): self._price = price #私有屬性,外部無法修改和訪問 def get_price(self): return self._price def set_price(self,new_price): if new_price > 0: self._price = new_price else: raise 'error:價格必須大於零'
用property代替getter和setter
>>>class Watermelon(): def __init__(self,price): self._price = price @property #使用@property裝飾price方法 def price(self): return self._price @price.setter #使用@property裝飾方法,當對price賦值時,調用裝飾方法 def price(self,new_price): if new_price > 0: self._price = new_price else: raise 'error:價格必須大於零' >>> watermelon = Watermelon(4) >>> >>> watermelon.price 4 >>> >>> watermelon.price = 7 >>> >>> watermelon.price 7
到此這篇關於python @property的用法的文章就介紹到這瞭,更多相關python @property的用法內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!
推薦閱讀:
- Python中關於property使用的小技巧
- python中@property的作用和getter setter的解釋
- 詳解Python裝飾器之@property
- 詳細介紹python類及類的用法
- Python基礎入門之魔法方法與異常處理