Python--装饰器

定义

本质是函数,(装饰其他函数) 就是为其他函数添加附加功能

原则

1.不能修改被装饰的函数的原代码
2.不能修改被装饰的函数的调用方式

简单实现

#简单装饰器
def timer(func):
    def bares(*args, **kwargs):
        func(*args,**kwargs)     #非固定参数
        print("this is bar")
    return bares

@timer  #相当于foot=timer(foot)
def foot1():
    print("This is Foot")

@timer
def foot2(name,age):
    print("This is Foot; name=%s,age=%s"%(name,age))

foot1()
foot2("XiaoMing",15)

执行结果

This is Foot
this is bar
This is Foot; name=XiaoMing,age=15
this is bar

执行顺序

1.我们调用的是 foot1()
2.foot1()执行@time装饰器
3.@time调用bares()
4.bares()调用func(args,*kwargs),而func是foot1()的内存地址,所以执行
的是foot1()
5.最后执行打印


6.调用foot2()
依法炮制上面的执行顺序,只不过是添加了参数传递

复杂实现

#终极装饰器
#<1> 利用判断进入页面
#<2> 传递不固定参数
#<3> 如何对主方法的值进行Return
#<4> 装饰器加标志识别

user,password="lsc","123456"
def auth(auth_type):
    print("auter 接收到的参数%s"%auth_type)
    def outer_wapper(func):
        print("outer_wapper 接收到的参数%s"%func)
        def wrapper(*args, **kwargs):
            input_name=input("Input Enter UserName:")
            input_pwd=input("Input Enter Password:")
            if auth_type=="local":
                if input_name==user and input_pwd==password:
                    print("用户名和密码验证成功!")
                    return func(*args, **kwargs)
                else:
                    print("用户名和密码验证失败!")
                    print("Please Fack Off!")
            elif auth_type=="online":
                print("未添加在线验证逻辑!")
        return wrapper
    return outer_wapper
 


def index():
    print("欢迎来到Index页面")

@auth(auth_type="local")
def home(name):
    print("欢迎来到Home主页面")
    return "%s Welcome to HOME"%name

@auth(auth_type="online")
def login():
    print("欢迎来到Login登录页面")

 index()
 print(home("XiaoFeiFei"))
 login()

运行结果

auter 接收到的参数local
outer_wapper 接收到的参数
auter 接收到的参数online
outer_wapper 接收到的参数
欢迎来到Index页面
Input Enter UserName:lsc
Input Enter Password:123456
用户名和密码验证成功!
欢迎来到Home主页面
XiaoFeiFei Welcome to HOME
Input Enter UserName:lsc
Input Enter Password:123456
未添加在线验证逻辑!

你可能感兴趣的:(Python--装饰器)