解惑,從新認識python裝飾器

概念

python有兩種裝飾器:

  • 函數(shù)裝飾器(function decorators)
  • 類裝飾器(class decorators)

基礎(chǔ)知識

  1. 首先函數(shù)名是對函數(shù)的引用,我們可以給同一個函數(shù)多重命名:
>>> def succ(x):
...     return x + 1
... 
>>> successor = succ
>>> successor(10)
11
>>> succ(10)
11
>>> del succ
>>> successor(10)
11
>>> 
  1. 函數(shù)內(nèi)部可以定義函數(shù):
def f():
    
    def g():
        print("Hi, it's me 'g'")
        print("Thanks for calling me")
        
    print("This is the function 'f'")
    print("I am calling 'g' now:")
    g()

    
f()
'''
This is the function 'f'
I am calling 'g' now:
Hi, it's me 'g'
Thanks for calling me
'''

def temperature(t):
    def celsius2fahrenheit(x):
        return 9 * x / 5 + 32

    result = "It's " + str(celsius2fahrenheit(t)) + " degrees!" 
    return result

print(temperature(20))

'''
It's 68.0 degrees!
'''
  1. 函數(shù)可以作為參數(shù)傳給另外一個函數(shù):
#!/usr/bin/env python3
#Author:fbo
#Time:2017-12-06 09:49:39
#Name:functionAsParameters.py
#Version:V1.0

# 定義一個函數(shù)g
def g():
    print("Hi, it's me 'g'")
    print("Thanks for calling me")

# 定義一個函數(shù)f,參數(shù)為函數(shù)
def f(func):
    print("Hi, it's me 'f'")
    print("I will call 'func' now")
    func()
    
# 將函數(shù)g作為參數(shù)傳遞給函數(shù)f
f(g)

你可能不太滿意上述程序的輸出, 函數(shù)f應(yīng)該調(diào)用'g'而不是'func',為了達到這一點,我們使用屬性__name__:

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 09:57:08
#Name:functionAsParameters001.py
#Version:V1.0

def g():
    print("Hi, it's me 'g'")
    print("Thanks for calling me")

def f(func):
    print("Hi, it's me 'f'")
    print("I will call 'func' now")
    func()
    print("func's name is " + func.__name__)

f(g)

另外一個例子

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 10:01:11
#Name:functionAsParameters002.py
#Version:V1.0

import math

def foo(func):
    print("The function " + func.__name__ + " was pass to foo.")
    res = 0
    for x in [1, 2, 2.5]:
        res += func(x)
    return res

print(foo(math.sin))
print(foo(math.cos))
  1. 函數(shù)可以返回函數(shù)
#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 10:14:17
#Name:functionReturnFunction.py
#Version:V1.0

def f(x):
    def g(y):
        return y+x+3
    return g

nf1 = f(1)
nf2 = f(3)

print(nf1(1))
print(nf2(1))

定義一個二次方程:

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 10:19:41
#Name:functionReturnFunction001.py
#Version:V1.0
def polynomial_creator(a, b, c):
    def polynomial(x):
        return a * x ** 2 + b * x + c
    return polynomial

p1 = polynomial_creator(2, 3, -1)
p2 = polynomial_creator(-1, 2, 1)

for x in range(-2, 2 ,1):
    print(x, p1(x), p2(x))

更為復雜的多元方程:

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 10:25:38
#Name:functionReturnFunction002.py
#Version:V1.0

def polynomial_creator(*coefficients):
    '''
    cofficients are in the form a_0, a_1, ... a_n
    '''
    def polynomial(x):
        res = 0
        for index, coeff in enumerate(coefficients):
            res += coeff * x ** index
        return res
    return polynomial

p1 = polynomial_creator(4)
p2 = polynomial_creator(2, 4)
p3 = polynomial_creator(2,3,-1,8,1)
p4 = polynomial_creator(-1,2,1)

for x in range(-2, 2, 1):
    print(x, p1(x), p2(x) ,p3(x), p4(x))

一個簡單的裝飾器

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 10:37:12
#Name:aSimpleDecorator.py
#Version:V1.0

def our_decorator(func):
    def function_wrapper(x):
        print("Before calling " + func.__name__)
        func(x)
        print("After calling " + func.__name__)
    return function_wrapper

def foo(x):
    print("Hi, foo has been called with " + str(x))

print("We call foo before decoration:")
foo("Hi")

print("We now decorate foo with f:")
foo = our_decorator(foo)

print("We call foo after decoration:")
foo(42)

python裝飾器的標準語法

python裝飾器的標準語法和我們上例介紹的不太一樣,盡管foo = our_decorator(foo)更容易記憶和理解.在上例子中在同一個程序里我們定義了兩個版本的foo函數(shù),一個是裝飾前的一個是裝飾后的, 因此python里一般不這樣定義裝飾器.
為了實現(xiàn)裝飾器,python中使用在'@'后接包裝函數(shù)名的方式來定義裝飾器.

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 10:56:10
#Name:syntaxForDecorators.py
#Version:V1.0

def our_decorator(func):
    def function_wrapper(x):
        print("Before calling " + func.__name__)
        func(x)
        print("After calling " + func.__name__)
    return function_wrapper

@our_decorator
def foo(x):
    print("Hi, foo has been called with " + str(x))

foo("Hi")

# We can decorate every other function which takes one parameter with our decorator 'our_decorator'.
@our_decorator
def succ(n):
    return n + 1

succ(10)

# It is also possible to decorate third party functions
from math import sin,cos
def our_decorator1(func):
    def function_wrapper(x):
        print("Before calling " + func.__name__)
        res = func(x)
        print(res)
        print("After calling " + func.__name__)
    return function_wrapper

sin = our_decorator1(sin)
cos = our_decorator1(cos)

for f in [sin, cos]:
    f(3.1415)

總結(jié): 我們可以說徘公,Python中的裝飾器是一個可調(diào)用的Python對象贼涩,用于修改函數(shù)务嫡、方法或類定義匙睹。將要修改的原始對象作為一個參數(shù)傳遞給裝飾者奠宜。裝飾器返回一個修改過的對象绎巨,例如一個修改后的函數(shù)裤纹,該函數(shù)綁定到裝飾器定義中使用的func名稱击碗。

在我們前面定義的裝飾器只能為只有一個參數(shù)的函數(shù)服務(wù),我們下面的例子將會展示更為廣泛的適用:

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 11:27:11
#Name:syntaxForDecorators001.py
#Version:V1.0

from random import random, randint, choice

def our_decorator(func):
    def function_wrapper(*args, **kwargs):
        print("Before calling "+func.__name__)
        res = func(*args, *kwargs)
        print(res)
        print("After calling " +func.__name__)
    return function_wrapper

random = our_decorator(random)
randint = our_decorator(randint)
choice = our_decorator(choice)

random()
randint(3,8)
choice([4, 5, 6])

python裝飾器的應(yīng)用場景

使用裝飾器檢查傳參

下面的程序使用一個裝飾功能逢捺,確保傳遞給函數(shù)的參數(shù)因子是一個正整數(shù):

#!/usr/bin/env python3
#Author:fbo
#Time:2017-12-06 11:44:58
#Name:checkingArguments.py
#Version:V1.0
def argument_test_natural_number(f):
    def helper(x):
        if type(x) == int and x >0:
            return f(x)
        else:
            raise Exception("Argument is not an integer")
    return helper

@argument_test_natural_number
def factorial(n):
    if n == 1:
        return 1
    else:
        return n * factorial(n-1)

for i in range(1, 10):
    print(i, factorial(i))

print(factorial(-1))

函數(shù)調(diào)用計數(shù)

下面的例子使用裝飾器對函數(shù)調(diào)用的次數(shù)進行計數(shù):

def call_counter(func):
    def helper(x):
        helper.calls += 1
        return func(x)
    helper.calls = 0

    return helper

@call_counter
def succ(x):
    return x + 1

print(succ.calls)
for i in range(10):
    succ(i)
    
print(succ.calls)

多參數(shù)實例:

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 11:58:57
#Name:countingFunctionCalls001.py
#Version:V1.0

def call_counter(func):
    def helper(*args, **kwargs):
        helper.calls += 1
        return func(*args, **kwargs)
    helper.calls = 0
    return helper

@call_counter
def succ(x):
    return x + 1

@call_counter
def mull(x, y=1):
    return x*y + 1

print(succ.calls)
for i in range(10):
    succ(i)

mull(3,4)
mull(4)
mull(y=3, x=2)

print(succ.calls)
print(mull.calls)

帶參數(shù)的裝飾器

我們先來看看下面的例子:

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 14:44:43
#Name:decoratorsWithParameters1.py
#Version:V1.0

def evening_greeting(func):
    def function_wrapper(x):
        print("Good evening, " + func.__name__ +" returns:")
        func(x)
    return function_wrapper

def moning_greeting(func):
    def function_wrapper(x):
        print("Good morning, " + func.__name__ + " returns:")
        func(x)
    return function_wrapper

@evening_greeting
def foo(x):
    print(42)

foo("Hi")

上例中兩個裝飾器基本相同,我們也可以通過給裝飾器傳遞參數(shù)使得兩個裝飾器合二為一:


#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 14:58:38
#Name:decoratorsWithParameters2.py
#Version:V1.0

def greeting(expr):
    def greeting_decorator(func):
        def function_wrapper(x):
            print(expr + ", " + func.__name__ + " returns:")
            func(x)
        return function_wrapper
    return greeting_decorator

@greeting("Good morning, ")
def foo(x):
    print(42)

foo("Hi")

這種方式相當于:

greeting2 = greeting("Good morning, ")
foo = greeting2(foo)

或者:

foo = greeting("Good morning, ")(foo)

導入裝飾器

如果裝飾器是從其他模塊導入的話, 將會失去以下屬性:

  • __name__ name of the function
  • __doc__ the docstring
  • __module__ the module in which the function is defined

首先我們在'greeting_decorator.py'中定義一個裝飾器

#!/usr/bin/env python3
#Author:fbo
#Time:2017-12-06 15:15:48
#Name:greeting_decorator.py
#Version:V1.0

def greeting(func):
    def function_wrapper(x):
        """ function_wrapper of greeting """
        print("Hi, " + func.__name__ + " returns:")
    return function_wrapper

然后我們從另一個程序中導入這個裝飾器:


#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 15:19:49
#Name:call_greeting_decorator.py
#Version:V1.0

from greeting_decorator import greeting

@greeting
def f(x):
    """ just some silly function """
    return x + 4

f(10)
print("function name: " + f.__name__)
print("docstring: " + f.__doc__)
print("module name: " + f.__module__)

輸出的結(jié)果如下:

fbo@fbo-virtual-machine:~/tmp/py$ python3 call_greeting_decorator.py 
Hi, f returns:
function name: function_wrapper
docstring:  function_wrapper of greeting 
module name: greeting_decorator

這個并不是我們想要得到的結(jié)果,如果要得到想要的結(jié)果,我們必須對裝飾函數(shù)做一些更改,保存為greeting_decorator_manually.py:

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 15:27:53
#Name:greeting_decorator_manually.py
#Version:V1.0

def greeting(func):
    def function_wrapper(x):
        """ function_wrapper of greeting """
        print("Hi, " + func.__name__ + " returns:")
        return func(x)
    function_wrapper.__name__ = func.__name__
    function_wrapper.__doc__ = func.__doc__
    function_wrapper.__module__ = func.__module__
    return function_wrapper

幸運的是我們并不需要做這些工作,簡單的實現(xiàn)方式是從模塊functools導入裝飾器wraps,例如:

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 15:15:48
#Name:greeting_decorator.py
#Version:V1.0

from functools import wraps

def greeting(func):
    @wraps(func)
    def function_wrapper(x):
        """ function_wrapper of greeting """
        print("Hi, " + func.__name__ + " returns:")
        return func(x)
    return function_wrapper

類裝飾器

__call__方法

在介紹類裝飾器之前我們先來介紹以下類的__call__方法;我們已經(jīng)提到過裝飾器就是一個把函數(shù)當做傳參的簡單可調(diào)用對象.函數(shù)就是一個可調(diào)用對象,我們也可以把類定義胃可調(diào)用對象,__call__方法可以使類的實例像函數(shù)一樣被調(diào)用:

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 16:05:51
#Name:callClass.py
#Version:V1.0

class A:
    def __init__(self):
        print("An instance of A was initialized")

    def __call__(self, *args, **kwargs):
        print("Arguments are:", args, kwargs)

x = A()
print("now calling the instance:")
x(3, 4, x=11, y=10)
print("Let's call it again:")
x(3, 4, x=11, y=10)

調(diào)用__call__方法使用類來實現(xiàn)斐波那契數(shù)列:


#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 16:10:22
#Name:callClass1.py
#Version:V1.0

class Fibonacci:
    def __init__(self):
        self.cache = {}
    def __call__(self, n):
        if n not in self.cache:
            if n == 0:
                self.cache[0] = 0
            elif n == 1:
                self.cache[1] = 1
            else:
                self.cache[n] = self.__call__(n - 1) + self.__call__(n-2)
        return self.cache[n]

fib = Fibonacci()

for i in range(15):
    print(fib(i), end = ", ")

print()

使用類作為裝飾器

#!/usr/bin/env python3                                                                              
#Author:fbo
#Time:2017-12-06 16:25:20
#Name:classDecorator.py
#Version:V1.0

class decorator:
    def __init__(self,f):
        self.f = f
    def __call__(self):
        print("Decorating", self.f.__name__)
        self.f()

@decorator
def foo():
    print("inside foo()")

foo()
最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末谁鳍,一起剝皮案震驚了整個濱河市,隨后出現(xiàn)的幾起案子劫瞳,更是在濱河造成了極大的恐慌倘潜,老刑警劉巖,帶你破解...
    沈念sama閱讀 219,110評論 6 508
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件志于,死亡現(xiàn)場離奇詭異涮因,居然都是意外死亡,警方通過查閱死者的電腦和手機伺绽,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 93,443評論 3 395
  • 文/潘曉璐 我一進店門养泡,熙熙樓的掌柜王于貴愁眉苦臉地迎上來,“玉大人奈应,你說我怎么就攤上這事澜掩。” “怎么了杖挣?”我有些...
    開封第一講書人閱讀 165,474評論 0 356
  • 文/不壞的土叔 我叫張陵肩榕,是天一觀的道長。 經(jīng)常有香客問我惩妇,道長株汉,這世上最難降的妖魔是什么筐乳? 我笑而不...
    開封第一講書人閱讀 58,881評論 1 295
  • 正文 為了忘掉前任,我火速辦了婚禮乔妈,結(jié)果婚禮上蝙云,老公的妹妹穿的比我還像新娘。我一直安慰自己路召,他們只是感情好勃刨,可當我...
    茶點故事閱讀 67,902評論 6 392
  • 文/花漫 我一把揭開白布。 她就那樣靜靜地躺著优训,像睡著了一般。 火紅的嫁衣襯著肌膚如雪各聘。 梳的紋絲不亂的頭發(fā)上揣非,一...
    開封第一講書人閱讀 51,698評論 1 305
  • 那天,我揣著相機與錄音躲因,去河邊找鬼早敬。 笑死,一個胖子當著我的面吹牛大脉,可吹牛的內(nèi)容都是我干的搞监。 我是一名探鬼主播,決...
    沈念sama閱讀 40,418評論 3 419
  • 文/蒼蘭香墨 我猛地睜開眼镰矿,長吁一口氣:“原來是場噩夢啊……” “哼琐驴!你這毒婦竟也來了?” 一聲冷哼從身側(cè)響起秤标,我...
    開封第一講書人閱讀 39,332評論 0 276
  • 序言:老撾萬榮一對情侶失蹤绝淡,失蹤者是張志新(化名)和其女友劉穎,沒想到半個月后苍姜,有當?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體牢酵,經(jīng)...
    沈念sama閱讀 45,796評論 1 316
  • 正文 獨居荒郊野嶺守林人離奇死亡,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點故事閱讀 37,968評論 3 337
  • 正文 我和宋清朗相戀三年衙猪,在試婚紗的時候發(fā)現(xiàn)自己被綠了馍乙。 大學時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片。...
    茶點故事閱讀 40,110評論 1 351
  • 序言:一個原本活蹦亂跳的男人離奇死亡垫释,死狀恐怖丝格,靈堂內(nèi)的尸體忽然破棺而出,到底是詐尸還是另有隱情棵譬,我是刑警寧澤铁追,帶...
    沈念sama閱讀 35,792評論 5 346
  • 正文 年R本政府宣布,位于F島的核電站茫船,受9級特大地震影響琅束,放射性物質(zhì)發(fā)生泄漏扭屁。R本人自食惡果不足惜,卻給世界環(huán)境...
    茶點故事閱讀 41,455評論 3 331
  • 文/蒙蒙 一涩禀、第九天 我趴在偏房一處隱蔽的房頂上張望料滥。 院中可真熱鬧,春花似錦艾船、人聲如沸葵腹。這莊子的主人今日做“春日...
    開封第一講書人閱讀 32,003評論 0 22
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽践宴。三九已至,卻和暖如春爷怀,著一層夾襖步出監(jiān)牢的瞬間阻肩,已是汗流浹背。 一陣腳步聲響...
    開封第一講書人閱讀 33,130評論 1 272
  • 我被黑心中介騙來泰國打工运授, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留烤惊,地道東北人。 一個月前我還...
    沈念sama閱讀 48,348評論 3 373
  • 正文 我出身青樓吁朦,卻偏偏與公主長得像柒室,于是被迫代替她去往敵國和親。 傳聞我的和親對象是個殘疾皇子逗宜,可洞房花燭夜當晚...
    茶點故事閱讀 45,047評論 2 355

推薦閱讀更多精彩內(nèi)容

  • 〇雄右、前言 本文共108張圖,流量黨請慎重纺讲! 歷時1個半月不脯,我把自己學習Python基礎(chǔ)知識的框架詳細梳理了一遍。 ...
    Raxxie閱讀 18,959評論 17 410
  • 本文為《爬著學Python》系列第四篇文章刻诊。從本篇開始防楷,本專欄在順序更新的基礎(chǔ)上,會有不規(guī)則的更新则涯。 在Pytho...
    SyPy閱讀 2,502評論 4 11
  • 要點: 函數(shù)式編程:注意不是“函數(shù)編程”复局,多了一個“式” 模塊:如何使用模塊 面向?qū)ο缶幊蹋好嫦驅(qū)ο蟮母拍睢傩浴?..
    victorsungo閱讀 1,510評論 0 6
  • Python進階框架 希望大家喜歡粟判,點贊哦首先感謝廖雪峰老師對于該課程的講解 一亿昏、函數(shù)式編程 1.1 函數(shù)式編程簡...
    Gaolex閱讀 5,499評論 6 53
  • 老王坐在桌子旁,有所思地望著這覆著銅銹的鏡子档礁。 老王知道這面鏡子價值萬元角钩,自從它從院中的那口枯井里被意外挖出時,第...
    索風閱讀 263評論 0 2