Python3中_和__的用途和區別

pythontab發表於2019-04-15

在看一些Python開原始碼時,經常會看到以下劃線或者雙下劃線開頭的方法或者屬性,到底它們有什麼作用,又有什麼樣的區別呢?今天我們來總結一下(注:下文中的程式碼在Python3下測試透過)

_ 的含義

在python的類中沒有真正的私有屬性或方法,沒有真正的私有化。

但為了程式設計的需要,我們常常需要區分私有方法和共有方法以方便管理和呼叫。那麼在Python中如何做呢?

一般Python約定加了下劃線 _ 的屬性和方法為私有方法或屬性,以提示該屬性和方法不應在外部呼叫,也不會被from ModuleA import * 匯入。如果真的呼叫了也不會出錯,但不符合規範。

下面的程式碼演示加了_ 的方法,以及在類外面對其的可訪問性。

class TestA:
    def _method(self):
        print('I am a private function.')
    def method(self):
        return self._method()
ca = TestA()
ca.method()

輸出:

I am a private function.

在類TestA中定義了一個_method方法,按照約定是不能在類外面直接呼叫它的,為了可以在外面使用_method方法,又定義了method方法,method方法呼叫_method方法。

但是我們應該記住的是加了_的方法也可以在類外面呼叫:

ca._method()

輸出:

I am a private function.

__ 的含義

Python中的__和一項稱為name mangling的技術有關,name mangling (又叫name decoration命名修飾).在很多現代程式語言中,這一技術用來解決需要唯一名稱而引起的問題,比如命名衝突/過載等.

Python中雙下劃線開頭,是為了不讓子類重寫該屬性方法.透過類的例項化時自動轉換,在類中的雙下劃線開頭的屬性方法前加上”_類名”實現.

class TestA:
    def __method(self):
        print('This is a method from class TestA')
    def method(self):
        return self.__method()
class TestB(TestA):
    def __method(self):
        print('This is a method from calss TestB')
ca = TestA()
cb = TestB()
ca.method()
cb.method()

輸出結果:

This is a method from class TestA
This is a method from class TestA

在類TestA中,__method方法其實由於name mangling技術的原因,自動轉換成了_TestA__method,所以在A中method方法返回的是_TestA__method,TestB作為TestA的子類,只重寫了__method方法,並沒有重寫method方法,所以呼叫B中的method方法時,呼叫的還是_TestA__method方法。

注意:在A中沒有__method方法,有的只是_A__method方法,也可以在外面直接呼叫,所以python中沒有真正的私有化

不能直接呼叫__method()方法, 需要呼叫轉換之後的方法

ca.__method()

輸出:

Traceback (most recent call last):
  File "", line 1, in AttributeError: 'TestA' object has no attribute '__method'

轉換後的方法名為:_TestA__method

ca._TestA__method()

輸出:

This is a method from class TestA


在TestB中重寫method方法:

class TestB(TestA):
    def __method(self):
        print('This is a method from calss TestB')
    def method(self):
        return self.__method()
cb = B()
cb.method()

輸出:

This is a method from calss TestB

現在TestB中的method方法會呼叫_TestB__method方法:

總結

python中沒有真正的私有化,但是有一些和命名有關的約定,來讓程式設計人員處理一些需要私有化的情況。


相關文章