Loading [MathJax]/extensions/Safe.js

2021年12月12日 星期日

Python:簡介 function decorator

Function decorator 有兩個特性:

  1. 它可以用來替代 decorated 函數
  2. Decorator 在讀取模組時便執行

以下為一個例子:

  1. def deco(func):
  2. print("Init")
  3. def wrapper():
  4. print("Before")
  5. func()
  6. print("After")
  7. return wrapper
  8.  
  9. @deco
  10. def hello():
  11. print("Hello!")
  12.  
  13. print("Ya!")
  14. hello()
  15. # Results:
  16. # Init
  17. # Ya!
  18. # Before
  19. # Hello!
  20. # After

從以上的例子可看出我們把 hello 函數當成參數丟給 deco 函數,也就是類似 deco(hello) 的意思。而 deco 函數在模組的讀取階段就已經執行了,因此會先印出 Init,之後才印出剩下的文字。

例子:函數計時器

這裡用一個函數計時器的例子來展示 function decorator 的用途:

  1. import time
  2.  
  3. def clock(func):
  4. def clocked(*args):
  5. t0 = time.perf_counter()
  6. result = func(*args)
  7. elapsed = time.perf_counter() - t0
  8. print('%0.8fs' % elapsed) # 0.10066449s
  9. return result
  10. return clocked
  11.  
  12. @clock
  13. def snooze(seconds):
  14. time.sleep(seconds)
  15.  
  16. snooze(0.1)

Standard library 中的 decorator 例子

首先是 functools.lru_cache,它可以用來記錄之前得到的結果。以下為一個例子:
  1. import functools
  2.  
  3. @functools.lru_cache()
  4. def fib(n):
  5. if n < 2:
  6. return n
  7. return fib(n-2) * fib(n-1)
  8.  
  9. t0 = time.perf_counter()
  10. fib(30)
  11. elapsed = time.perf_counter() - t0
  12. print('%0.8fs' % elapsed)
  13. # With lru_cache: 0.00010853s
  14. # Without lru_cache: 0.32648241s

另一個例子是 functools.singledispatch,它可以用來做 generic programming。細節請參考資料 [1]。

參考資料

[1] PEP 443 -- Single-dispatch generic functions

沒有留言:

張貼留言