部分内容源自网络整理,来源为下方链接,主要用于学习用途【python】装饰器超详细教学,用尽毕生所学给你解释清楚,以后再也不迷茫了!_哔哩哔哩_bilibilihttps://www.bilibili.com/video/BV1Gu411Q7JV/?spm_id_from=333.337.search-card.all.click&vd_source=ce61c7e967e2209dc7f57b344ba3dc0c
一般来说,装饰器是一个函数,它接收一个函数,供自己使用
现在有两个函数,Func_A,Func_B
如果Func_A已经定义好,Func_B在定义过程中这样书写:
@Func_A
def Func_B():
pass
那么相当等价于:Func_B=Func_A (Func_B)
案例分析
import time
def count_time(f):
while(True):
#获取当前时间
a=time.time()
b=time.localtime(a)
c=time.strftime("%Y-%m-%d %H:%M:%S",b)
f() #f是传进来的函数对象,f后加()就是调用这个函数
print(c)
@count_time #相当于在执行 print_time=count_time(print_time)
def print_time():
time.sleep(2)
实现每隔2秒打印一次时间
如果被装饰的函数有接收值与返回值应该怎么办?
我们知道,装饰器相当于Func_B=Func_A (Func_B),其中Func_A是装饰函数,Func_B是被装饰的函数,被装饰后的Func_B是Func_A的返回值,那么如果想要让Func_B有输入与输出,修饰Func_A返回的函数即可:
import time
def timer(func):
def body(*args,**kwargs):
start=time.time()
func(*args,**kwargs)
end=time.time()
info="Used time {}".format(end-start)
print(info)
return end-start
return body
@timer
def my_func(n):
time.sleep(n)
如上面的代码所示,被装饰的函数是my_func,它被 timer所装饰,timer函数所返回的body函数,就是装饰后的my_func函数,将body函数设定为可接收参数、返回参数,那么就可以实现被装饰函数的接收返回参数的功能了
如果装饰函数有接收值与返回值应该怎么办?
同样的例子
import time
def timer(language):
def pre_process(func):
def body(*args, **kwargs):
start = time.time()
func(*args, **kwargs)
end = time.time()
if language == "Chinese":
info = "程序用时 {}".format(end - start)
else:
info = "Used time {}".format(end - start)
print(info)
return end - start #函数“body”的返回
return body #函数pre_process的返回
return pre_process #函数timer的返回
#遇到有参数的装饰器,会首先执行timer=timer("langusge=Chinese")操作
@timer(language="Chinese")
def my_func(n):
time.sleep(n) #休眠2秒
遇到有参数的装饰器timer,Python解释器会首先执行 timer=timer("langusge=Chinese"),也就是把装饰器先覆写一遍,那么覆写后timer就是pre_process函数了,即相当于:
@pre_process
def my_func(n):
time.sleep(n) #休眠2秒
接下来的运行过程就是之前介绍的无接收参数的过程,即:my_func = pre_process (my_func)
有一点需要科普一下,对于嵌套定义的函数,即一个函数A的定义框架内又定义了一个函数B,那么函数B是会保存函数A的变量信息的(详细解释请搜索函数闭包的定义)
即pre_process与body等内层函数均存储了外部函数timer所接收的参数信息,这也就是为是什么body函数可以调用查看language变量的内容