python中的property註解

裝飾器(decorator)能夠給函數動態加上功能嗎?對於類的方法,裝飾器同樣起做用。Python內置
的 @property 裝飾器就是負責把一個方法變成屬性調用的:python

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

@property 的實現比較複雜,咱們先考察如何使用。把一個getter方法變成屬性,只須要加上 @property 就能夠
了,此時, @property 自己又建立了另外一個裝飾器 @score.setter ,負責把一個setter方法變成屬性賦值,因而,我
們就擁有一個可控的屬性操做:ide

>>> s = Student()
>>> s.score = 60 # OK,實際轉化爲s.set_score(60)
>>> s.score # OK,實際轉化爲s.get_score()
60
>>> s.score = 9999
Traceback (most recent call last):
...
ValueError: score must between 0 ~ 100!

 @property ,咱們在對實例屬性操做的時候,就知道該屬性極可能不是直接暴露的,而是經過gett
er和setter方法來實現的。
還能夠定義只讀屬性,只定義getter方法,不定義setter方法就是一個只讀屬性:函數

class Student(object):
    @property
    def birth(self):
        return self._birth
    @birth.setter         #設置了set和get方法
    def birth(self, value):
        self._birth = value
    @property            #設置了get方法
    def age(self):
        return 2014 - self._birth
c=Student()
c.birth=10;
print c.age
D:\chinaUnicom\Chinese\python.exe D:/python/test1/test3.py
2004

Process finished with exit code 0
相關文章
相關標籤/搜索