標籤:property python
Python中有一個property的文法,它類似於C#的get set文法,其功能有以下兩點:
將類方法設定為唯讀屬性;
實現屬性的getter和setter方法;
下面著重說明這兩點:
首先請閱讀下面的代碼
# -*- coding:utf-8 -*-class Book(object): def __init__(self, title, author, pub_date): self.title = title self.author = author self.pub_date = pub_date @property def des_message(self): return u‘書名:%s, %s, 出版日期:%s‘ % (self.title, self.author, self.pub_date)
在這段代碼中,將property作為一個裝飾器修飾des_message函數,其作用就是將函數des_message變成了類的屬性,且它是唯讀。效果如下:
650) this.width=650;" src="http://s5.51cto.com/wyfs02/M01/8A/56/wKioL1guTGuBtK-OAACOyQMIQRY673.png" title="QQ圖片20161118083315.png" alt="wKioL1guTGuBtK-OAACOyQMIQRY673.png" />正如所示,方法變成了屬性,可以用訪問屬性的方式訪問它。但是如果修改它的值,則會報錯AttributeError錯誤,它是唯讀
接著查看以下代碼:
class Array(object): def __init__(self, length=0, base_index=0): assert length >= 0 self._data = [None for i in xrange(length)] self._base_index = base_index def get_base_index(self): return self._base_index def set_base_index(self, base_index): self._base_index = base_index base_index = property( fget=lambda self: self.get_base_index(), fset=lambda self, value: self.set_base_index(value) )
這裡我們給類Array設定了一個base_index屬性,它使用property實現了base_index的fget,fset功能,base_index是可讀可寫的,效果如下:
650) this.width=650;" src="http://s5.51cto.com/wyfs02/M00/8A/56/wKioL1guUM_zD-dvAAAu1Adzu_8586.png" title="QQ圖片20161118085214.png" alt="wKioL1guUM_zD-dvAAAu1Adzu_8586.png" />
如所示,base_index是可讀可寫的。
property是Python的很好的文法特性,我們應該在編程中經常使用它。
本文出自 “許大樹” 部落格,謝絕轉載!
python的property文法的使用