在看一些Python開源代碼時,經常會看到以下劃線或者雙下劃線開頭的方法或者屬性,到底它們有什么作用,又有什么樣的區(qū)別呢?今天我們來總結一下(注:下文中的代碼在Python3下測試通過)
_的含義
在python的類中沒有真正的私有屬性或方法,沒有真正的私有化。
但為了編程的需要,我們常常需要區(qū)分私有方法和共有方法以方便管理和調用。那么在Python中如何做呢?
一般Python約定加了下劃線_的屬性和方法為私有方法或屬性,以提示該屬性和方法不應在外部調用,也不會被fromModuleAimport*導入。如果真的調用了也不會出錯,但不符合規(guī)范。
下面的代碼演示加了_的方法,以及在類外面對其的可訪問性。
classTestA:
def_method(self):
print('Iamaprivatefunction.')
defmethod(self):
returnself._method()
ca=TestA()
ca.method()
輸出
Iamaprivatefunction.
__的含義
Python中的__和一項稱為namemangling的技術有關,namemangling(又叫namedecoration命名修飾).在很多現(xiàn)代編程語言中,這一技術用來解決需要唯一名稱而引起的問題,比如命名沖突/重載等.
Python中雙下劃線開頭,是為了不讓子類重寫該屬性方法.通過類的實例化時自動轉換,在類中的雙下劃線開頭的屬性方法前加上”_類名”實現(xiàn).
classTestA:
def__method(self):
print('ThisisamethodfromclassTestA')
defmethod(self):
returnself.__method()
classTestB(TestA):
def__method(self):
print('ThisisamethodfromcalssTestB')
ca=TestA()
cb=TestB()
ca.method()
cb.method()
輸出結果
ThisisamethodfromclassTestA
ThisisamethodfromclassTestB
在類TestA中,__method方法其實由于namemangling技術的原因,自動轉換成了_TestA__method,所以在A中method方法返回的是_TestA__method,TestB作為TestA的子類,只重寫了__method方法,并沒有重寫method方法,所以調用B中的method方法時,調用的還是_TestA__method方法。
注意:在A中沒有__method方法,有的只是_A__method方法,也可以在外面直接調用,所以python中沒有真正的私有化
不能直接調用__method()方法,需要調用轉換之后的方法
ca.__method()
輸出
Traceback(mostrecentcalllast):
File"",line1,in
AttributeError:'TestA'objecthasnoattribute'__method'
轉換后的方法名為:_TestA__method
ca._TestA__method()
輸出
ThisisamethodfromclassTestA
在TestB中重寫method方法:
classTestB(TestA):
def__method(self):
print('ThisisamethodfromcalssTestB')
defmethod(self):
returnself.__method()
cb=B()
cb.method()
輸出
ThisisamethodfromcalssTestB
現(xiàn)在TestB中的method方法會調用_TestB__method方法。
總結
python中沒有真正的私有化,但是有一些和命名有關的約定,來讓編程人員處理一些需要私有化的情況。
以上內容為大家介紹了Python培訓之_和__的用途和區(qū)別,希望對大家有所幫助,如果想要了解更多Python相關知識,請關注IT培訓機構:千鋒教育。