1. 私有屬性添加getter和setter方法python
class Money(object): def __init__(self): self.__money = 0 def getMoney(self): return self.__money def setMoney(self, value): if isinstance(value, int): self.__money = value else: print("error:不是整型數字")
2. 使用property升級getter和setter方法函數
class Money(object): def __init__(self): self.__money = 0 def getMoney(self): return self.__money def setMoney(self, value): if isinstance(value, int): self.__money = value else: print("error:不是整型數字") money = property(getMoney, setMoney)
運行結果:測試
In [1]: from get_set import Money In [2]: In [2]: a = Money() In [3]: In [3]: a.money Out[3]: 0 In [4]: a.money = 100 In [5]: a.money Out[5]: 100 In [6]: a.getMoney() Out[6]: 100
3. 使用property取代getter和setter方法this
@property成爲屬性函數,能夠對屬性賦值時作必要的檢查,並保證代碼的清晰短小,主要有2個做用3d
將方法轉換爲只讀
從新實現一個屬性的設置和讀取方法,可作邊界斷定code
class Money(object): def __init__(self): self.__money = 0 @property def money(self): return self.__money @money.setter def money(self, value): if isinstance(value, int): self.__money = value else: print("error:不是整型數字")
運行結果對象
In [3]: a = Money() In [4]: In [4]: In [4]: a.money Out[4]: 0 In [5]: a.money = 100 In [6]: a.money Out[6]: 100
"teachclass.py" class Person(object): pass
python3.5中類的內建屬性和方法
經典類(舊式類),早期若是沒有要繼承的父類,繼承裏空着不寫的類blog
#py2中無繼承父類,稱之經典類,py3中已默認繼承object class Person: pass
子類沒有實現__init__方法時,默認自動調用父類的。 如定義__init__方法時,需本身手動調用父類的__init__方法
繼承
__getattribute__例子:遞歸
class Itcast(object): def __init__(self,subject1): self.subject1 = subject1 self.subject2 = 'cpp' #屬性訪問時攔截器,打log def __getattribute__(self,obj): if obj == 'subject1': print('log subject1') return 'redirect python' else: #測試時註釋掉這2行,將找不到subject2 return object.__getattribute__(self,obj) def show(self): print('this is Itcast') s = Itcast("python") print(s.subject1) print(s.subject2)
運行結果:
log subject1 redirect python cpp
**__getattribute__的坑**
class Person(object): def __getattribute__(self,obj): print("---test---") if obj.startswith("a"): return "hahha" else: return self.test def test(self): print("heihei") t.Person() t.a #返回hahha t.b #會讓程序死掉 #緣由是:當t.b執行時,會調用Person類中定義的__getattribute__方法,可是在這個方法的執行過程當中 #if條件不知足,因此 程序執行else裏面的代碼,即return self.test 問題就在這,由於return 須要把 #self.test的值返回,那麼首先要獲取self.test的值,由於self此時就是t這個對象,因此self.test就是 #t.test 此時要獲取t這個對象的test屬性,那麼就會跳轉到__getattribute__方法去執行,即此時產 #生了遞歸調用,因爲這個遞歸過程當中 沒有判斷何時推出,因此這個程序會永無休止的運行下去,又由於 #每次調用函數,就須要保存一些數據,那麼隨着調用的次數愈來愈多,最終內存吃光,因此程序 崩潰 # # 注意:之後不要在__getattribute__方法中調用self.xxxx