<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
python中的魔法方法是一些可以讓你對類新增“魔法”的特殊方法,它們經常是兩個下劃線包圍來命名的
Python的魔法方法,也稱為dunder(雙下劃線)方法。大多數的時候,我們將它們用於簡單的事情,例如建構函式(__init__)、字串表示(__str__, __repr__)或算術運運算元(__add__/__mul__)。其實還有許多你可能沒有聽說過的但是卻很好用的方法,在這篇文章中,我們將整理這些魔法方法!
我們都知道__len__方法,可以用它在容器類上實現len()函數。但是,如果您想獲取實現迭代器的類物件的長度怎麼辦?
it = iter(range(100)) print(it.__length_hint__()) # 100 next(it) print(it.__length_hint__()) # 99 a = [1, 2, 3, 4, 5] it = iter(a) print(it.__length_hint__()) # 5 next(it) print(it.__length_hint__()) # 4 a.append(6) print(it.__length_hint__()) # 5
你所需要做的就是實現__length_hint__方法,這個方法是迭代器上的內建方法(不是生成器),正如你上面看到的那樣,並且還支援動態長度更改。但是,正如他的名字那樣,這只是一個提示(hint),並不能保證完全準確:對於列表迭代器,可以得到準確的結果,但是對於其他迭代器則不確定。但是即使它不準確,它也可以幫我們獲得需要的資訊,正如PEP 424中解釋的那樣
length_hint must return an integer (else a TypeError is raised) or NotImplemented, and is not required to be accurate. It may return a value that is either larger or smaller than the actual size of the container. A return value of NotImplemented indicates that there is no finite length estimate. It may not return a negative value (else a ValueError is raised).
大部分很少看到的神奇方法都與超程式設計有關,雖然超程式設計可能不是我們每天都需要使用的東西,但有一些方便的技巧可以使用它。
一個這樣的技巧是使用__init_subclass__作為擴充套件基礎類別功能的快捷方式,而不必處理元類:
class Pet: def __init_subclass__(cls, /, default_breed, **kwargs): super().__init_subclass__(**kwargs) cls.default_breed = default_breed class Dog(Pet, default_name="German Shepherd"): pass
上面的程式碼我們向基礎類別新增關鍵字引數,該引數可以在定義子類時設定。在實際用例中可能會在想要處理提供的引數而不僅僅是賦值給屬性的情況下使用此方法。
看起來非常晦澀並且很少會用到,但其實你可能已經遇到過很多次了,因為它一般都是在構建API時使用的,例如在SQLAlchemy或Flask Views中都使用到了。
另一個元類的神奇方法是__call__。這個方法允許自定義呼叫類範例時發生的事情:
class CallableClass: def __call__(self, *args, **kwargs): print("I was called!") instance = CallableClass() instance() # I was called!
可以用它來建立一個不能被呼叫的類:
class NoInstances(type): def __call__(cls, *args, **kwargs): raise TypeError("Can't create instance of this class") class SomeClass(metaclass=NoInstances): @staticmethod def func(x): print('A static method') instance = SomeClass() # TypeError: Can't create instance of this class
對於只有靜態方法的類,不需要建立類的範例就用到了這個方法。
另一個類似的場景是單例模式——一個類最多隻能有一個範例:
class Singleton(type): def __init__(cls, *args, **kwargs): cls.__instance = None super().__init__(*args, **kwargs) def __call__(cls, *args, **kwargs): if cls.__instance is None: cls.__instance = super().__call__(*args, **kwargs) return cls.__instance else: return cls.__instance class Logger(metaclass=Singleton): def __init__(self): print("Creating global Logger instance")
Singleton類擁有一個私有__instance——如果沒有,它會被建立並賦值,如果它已經存在,它只會被返回。
假設有一個類,你想建立它的一個範例而不呼叫__init__。__new__ 方法可以幫助解決這個問題:
class Document: def __init__(self, text): self.text = text bare_document = Document.__new__(Document) print(bare_document.text) # AttributeError: 'Document' object has no attribute 'text' setattr(bare_document, "text", "Text of the document")
在某些情況下,我們可能需要繞過建立範例的通常過程,上面的程式碼演示瞭如何做到這一點。我們不呼叫Document(…),而是呼叫Document.__new__(Document),它建立一個裸範例,而不呼叫__init__。因此,範例的屬性(在本例中為text)沒有初始化,所欲我們需要額外使用setattr函數賦值(它也是一個魔法的方法__setattr__)。
為什麼要這麼做呢。因為我們可能會想要替代建構函式,比如:
class Document: def __init__(self, text): self.text = text @classmethod def from_file(cls, file): # Alternative constructor d = cls.__new__(cls) # Do stuff... return d
這裡定義from_file方法,它作為建構函式,首先使用__new__建立範例,然後在不呼叫__init__的情況下設定它。
下一個與超程式設計相關的神奇方法是__getattr__。當普通屬性存取失敗時呼叫此方法。這可以用來將對缺失方法的存取/呼叫委託給另一個類:
class String: def __init__(self, value): self._value = str(value) def custom_operation(self): pass def __getattr__(self, name): return getattr(self._value, name) s = String("some text") s.custom_operation() # Calls String.custom_operation() print(s.split()) # Calls String.__getattr__("split") and delegates to str.split # ['some', 'text'] print("some text" + "more text") # ... works print(s + "more text") # TypeError: unsupported operand type(s) for +: 'String' and 'str'
我們想為類新增一些額外的函數(如上面的custom_operation)定義string的自定義實現。但是我們並不想重新實現每一個字串方法,比如split、join、capitalize等等。這裡我們就可以使用__getattr__來呼叫這些現有的字串方法。
雖然這適用於普通方法,但請注意,在上面的範例中,魔法方法__add__(提供的連線等操作)沒有得到委託。所以,如果我們想讓它們也能正常工作,就必須重新實現它們。
最後一個與超程式設計相關的方法是__getattribute__。它一個看起來非常類似於前面的__getattr__,但是他們有一個細微的區別,__getattr__只在屬性查詢失敗時被呼叫,而__getattribute__是在嘗試屬性查詢之前被呼叫。
所以可以使用__getattribute__來控制對屬性的存取,或者你可以建立一個裝飾器來記錄每次存取範例屬性的嘗試:
def logger(cls): original_getattribute = cls.__getattribute__ def getattribute(self, name): print(f"Getting: '{name}'") return original_getattribute(self, name) cls.__getattribute__ = getattribute return cls @logger class SomeClass: def __init__(self, attr): self.attr = attr def func(self): ... instance = SomeClass("value") instance.attr # Getting: 'attr' instance.func() # Getting: 'func'
裝飾器函數logger 首先記錄它所裝飾的類的原始__getattribute__方法。然後將其替換為自定義方法,該方法在呼叫原始的__getattribute__方法之前記錄了被存取屬性的名稱。
到目前為止,我們只討論了魔法方法,但在Python中也有相當多的魔法變數/屬性。其中一個是__all__:
# some_module/__init__.py __all__ = ["func", "some_var"] some_var = "data" some_other_var = "more data" def func(): return "hello" # ----------- from some_module import * print(some_var) # "data" print(func()) # "hello" print(some_other_var) # Exception, "some_other_var" is not exported by the module
這個屬性可用於定義從模組匯出哪些變數和函數。我們建立了一個Python模組…/some_module/單獨檔案(__init__.py)。在這個檔案中定義了2個變數和一個函數,只匯出其中的2個(func和some_var)。如果我們嘗試在其他Python程式中匯入some_module的內容,我們只能得到2個內容。
但是要注意,__all__變數隻影響上面所示的* import,我們仍然可以使用顯式的名稱匯入函數和變數,比如import some_other_var from some_module。
另一個常見的雙下劃線變數(模組屬性)是__file__。這個變數標識了存取它的檔案的路徑:
from pathlib import Path print(__file__) print(Path(__file__).resolve()) # /home/.../directory/examples.py # Or the old way: import os print(os.path.dirname(os.path.abspath(__file__))) # /home/.../directory/
這樣我們就可以結合__all__和__file__,可以在一個資料夾中載入所有模組:
# Directory structure: # . # |____some_dir # |____module_three.py # |____module_two.py # |____module_one.py from pathlib import Path, PurePath modules = list(Path(__file__).parent.glob("*.py")) print([PurePath(f).stem for f in modules if f.is_file() and not f.name == "__init__.py"]) # ['module_one', 'module_two', 'module_three']
最後一個我重要的屬性是的是__debug__。它可以用於偵錯,但更具體地說,它可以用於更好地控制斷言:
# example.py def func(): if __debug__: print("debugging logs") # Do stuff... func()
如果我們使用
python example.py
正常執行這段程式碼,我們將看到列印出“偵錯紀錄檔”,但是如果我們使用
python -O example.py
,優化標誌(-O)將把__debug__設定為false並刪除偵錯訊息。因此,如果在生產環境中使用-O執行程式碼,就不必擔心偵錯過程中被遺忘的列印呼叫,因為它們都不會顯示。
我們可以建立自己的方法和屬性嗎?是的,你可以,但你不應該這麼做。
雙下劃線名稱是為Python語言的未來擴充套件保留的,不應該用於自己的程式碼。如果你決定在你的程式碼中使用這樣的名稱,那麼將來如果它們被新增到Python直譯器中,這就與你的程式碼不相容了。所以對於這些方法,我們只要記住和使用就好了。
到此這篇關於詳解Python中魔法方法的使用的文章就介紹到這了,更多相關Python魔法方法內容請搜尋it145.com以前的文章或繼續瀏覽下面的相關文章希望大家以後多多支援it145.com!
相關文章
<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
综合看Anker超能充系列的性价比很高,并且与不仅和iPhone12/苹果<em>Mac</em>Book很配,而且适合多设备充电需求的日常使用或差旅场景,不管是安卓还是Switch同样也能用得上它,希望这次分享能给准备购入充电器的小伙伴们有所
2021-06-01 09:31:42
除了L4WUDU与吴亦凡已经多次共事,成为了明面上的厂牌成员,吴亦凡还曾带领20XXCLUB全队参加2020年的一场音乐节,这也是20XXCLUB首次全员合照,王嗣尧Turbo、陈彦希Regi、<em>Mac</em> Ova Seas、林渝植等人全部出场。然而让
2021-06-01 09:31:34
目前应用IPFS的机构:1 谷歌<em>浏览器</em>支持IPFS分布式协议 2 万维网 (历史档案博物馆)数据库 3 火狐<em>浏览器</em>支持 IPFS分布式协议 4 EOS 等数字货币数据存储 5 美国国会图书馆,历史资料永久保存在 IPFS 6 加
2021-06-01 09:31:24
开拓者的车机是兼容苹果和<em>安卓</em>,虽然我不怎么用,但确实兼顾了我家人的很多需求:副驾的门板还配有解锁开关,有的时候老婆开车,下车的时候偶尔会忘记解锁,我在副驾驶可以自己开门:第二排设计很好,不仅配置了一个很大的
2021-06-01 09:30:48
不仅是<em>安卓</em>手机,苹果手机的降价力度也是前所未有了,iPhone12也“跳水价”了,发布价是6799元,如今已经跌至5308元,降价幅度超过1400元,最新定价确认了。iPhone12是苹果首款5G手机,同时也是全球首款5nm芯片的智能机,它
2021-06-01 09:30:45