python裝飾器 python 裝飾器詳解

2021-10-11 19:51:10 字數 2465 閱讀 4335

def outer(x):

def inner(y):

return x + y

return inner

print(outer(6)(5))

-----------------------------

>>>11

如**所示,在outer函式內,又定義了乙個inner函式,並且inner函式又引用了外部函式outer的變數x,這就是乙個閉包了。在輸出時,outer(6)(5),第乙個括號傳進去的值返回inner函式,其實就是返回6 + y,所以再傳第二個引數進去,就可以得到返回值,6 + 5。

接下來就講裝飾器,其實裝飾器就是乙個閉包,裝飾器是閉包的一種應用。什麼是裝飾器呢,簡言之,python裝飾器就是用於拓展原來函式功能的一種函式,這個函式的特殊之處在於它的返回值也是乙個函式,使用python裝飾器的好處就是在不用更改原函式的**前提下給函式增加新的功能。使用時,再需要的函式前加上@demo即可。

def debug(func):

print("[debug]: enter {}()".format(func.__name__))

return func()

@debug

def hello():

print("hello")

hello()

-----------------------------

>>>[debug]: enter hello()

>>>hello

例子中的裝飾器給函式加上乙個進入函式的debug模式,不用修改原函式**就完成了這個功能,可以說是很方便了。

上面例子中的裝飾器是不是功能太簡單了,那麼裝飾器可以加一些引數嗎,當然是可以的,另外裝飾的函式當然也是可以傳引數的。

def logging(level):

print(": enter ()".format(level, func.__name__))

return func(*args, **kwargs)

@logging(level="info")

def hello(a, b, c):

print(a, b, c)

hello("hello,","good","morning")

-----------------------------

>>>[info]: enter hello()

>>>hello, good morning

如上,裝飾器中可以傳入引數,先形成乙個完整的裝飾器,然後再來裝飾函式,當然函式如果需要傳入引數也是可以的,用不定長引數符號就可以接收,例子中傳入了三個引數。

裝飾器也不一定只能用函式來寫,也可以使用類裝飾器,用法與函式裝飾器並沒有太大區別,實質是使用了類方法中的call魔法方法來實現類的直接呼叫。

class logging(object):

def __init__(self, func):

self.func = func

def __call__(self, *args, **kwargs):

print("[debug]: enter {}()".format(self.func.__name__))

return self.func(*args, **kwargs)

@logging

def hello(a, b, c):

print(a, b, c)

hello("hello,","good","morning")

-----------------------------

>>>[debug]: enter hello()

>>>hello, good morning

類裝飾器也是可以帶引數的,如下實現

class logging(object):

def __init__(self, level):

self.level = level

def __call__(self, func):

print(": enter ()".format(self.level, func.__name__))

return func(*args, **kwargs)

@logging(level="test")

def hello(a, b, c):

print(a, b, c)

hello("hello,","good","morning")

-----------------------------

>>>[test]: enter hello()

>>>hello, good morning

好了,如上就是裝飾器的一些概念和大致的用法啦,想更深入的了解裝飾器還是需要自己在平時的練習和應用中多體會,本篇只是給出乙個概念,謝謝~

python裝飾器 Python 裝飾器

簡言之,python裝飾器就是用於拓展原來函式功能的一種函式,這個函式的特殊之處在於它的返回值也是乙個函式,使用python裝飾器的好處就是在不用更改原函式的 前提下給函式增加新的功能。一般而言,我們要想拓展原來函式 最直接的辦法就是侵入 裡面修改,例如 這是我們最原始的的乙個函式,然後我們試圖記錄...

python裝飾器原理 Python裝飾器原理

裝飾器 decorator 是物件導向設計模式的一種,這種模式的核心思想是在不改變原來核心業務邏輯 的情況下,對函式或類物件進行額外的修飾。python中的裝飾器由python直譯器直接支援,其定義形式如下 decorator def core service 要理解上述 的含義,我們從自定義函式裝...

python裝飾器作用 python裝飾器有什麼用

簡言之,python裝飾器就是用於拓展原來函式功能的一種函式,這個函式的特殊之處在於它的返回值也是乙個函式,使用python裝飾器的好處就是在不用更改原函式的 前提下給函式增加新的功能。一般而言,我們要想拓展原來函式 最直接的辦法就是侵入 裡面修改,例如 import time def func p...