1装饰器的实现是由闭包支撑的
2装饰器本质上是一个 python函数,它可以在让其他函数在不需要做任何代码的变动的前提下增加额外的功能
3装饰器的返回值也是一个函数的对象,它经常用于有切面需求的场景,实现路由传参,fask的路由传参依赖于装饰器,浏览器通过ur访问到装饰器的路由,从而访问视图函数获得返回的HTML页面
1.可以在外层函数加上时间计算函数,计算函数运行时间
2.计算函数运行次数;
3.可以用在框架的路由传参上
4.插入日志,作为函数的运行日志;
5.事务处理,可以让函数实现事务的一致性,让函数要么一起运行成功,要么一起运行失败
6.缓存,实现缓存处理
7.权限的校验,在函数外层套上权限校验的代码,实现权限校验
1、手写普通装饰器
#!/usr/bin/python
# -*- coding: utf-8 -*-
def outer_wrapper(func):
def wrapper(*args, **kwargs):
print('---->')
res = func(*args, **kwargs)
return wrapper
@outer_wrapper
def home():
print("welcome to home page")
return "from home"
home()
2、三级装饰器
#!/usr/bin/python
# -*- coding: utf-8 -*-
def auth(auth_type):
def outer_wrapper(func):
def wrapper(*args, **kwargs):
print("---->", auth_type)
res = func(*args, **kwargs)
return wrapper
return outer_wrapper
@auth(auth_type="local") # home = wrapper()
def home():
print("welcome to home page")
return "from home"
home()
3、计算函数执行时间装饰器
#! /usr/bin/env pythonf
# -*- coding: utf-8 -*-
import time
def timer(func): #timer(test1) func=test1
def deco(*args,**kwargs):
start_time = time.time()
func(*args,**kwargs) #run test1
stop_time = time.time()
print("running time is %s"%(stop_time-start_time))
return deco
@timer # test1=timer(test1)
def test1():
time.sleep(3)
print("in the test1")
test1()
装饰器,生成器,迭代器详解:https://blog.csdn.net/weixin_46451496/article/details/104614115