11 python 中的装饰器

2018-07-17  本文已影响25人  小码码

1 装饰器相关的概念


上述函数中包含了3个包,从外到内传递了一个name参数,涉及到的知识点有:函数的嵌套和闭包.

>>> a,b,c=(1,2,3)      #一一对应时,会依次赋值
>>> a
1
>>> b
2
>>> c
3
>>>
>>> a,b,c=(1,2,3,4)   #不能一一对应时,则会报错
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
ValueError: too many values to unpack (expected 3)
>>>
>>> a,b,c,d=(1,2,3)  #不能一一对应时,则会报错
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
ValueError: not enough values to unpack (expected 4, got 3)
>>>
>>> a,b,c='hel'
>>> a
'h'
>>> b
'e'
>>> c
'l'
>>>
>>> a,b,c='hell'
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
ValueError: too many values to unpack (expected 3)
>>>
>>> a,b,c,d='hel'
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
ValueError: not enough values to unpack (expected 4, got 3)
>>>

>>> l=[1,2,3,4,5,6,7,8,9,10]
>>> l
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
>>> a,*_,b=l     #*_ 表示省略中间的,a-表示第一个,b-表示最后一个
>>> a
1
>>> b
10
>>> a,b,*_,c,d=l    #*_ 表示省略中间的,a-表示第一个,b-表示第二个,c-倒数第二个,d-倒数第一个
>>> a
1
>>> b
2
>>> c
9
>>> d
10
>>>

>>> a,*d,c=l
>>> d     #d表示中间*的元素列表
[2, 3, 4, 5, 6, 7, 8, 9]
>>>

#python中实现值交换
>>> a=1
>>> b=2
>>> a,b=b,a
>>> a
2
>>> b
1
>>>

2 装饰器的进化论

#装饰器的架子,实现一个计算函数运行时间的装饰器
def timmer(func):       #传递的参数是函数名,为高阶函数
    def wrapper():   #wrapper中实现了函数运行时间的计算
        start_time=time.time()
        func()    #运行待测函数
        stop_time=time.time()
         print('函数的运行时间是%s'%(stop_time-start_time))
    return wrapper  

#待测试函数
def test():
    time.sleep(3)
    print("函数执行完毕")


#调用
test=timmer(test)     #返回的是wrapper的地址,重新赋值给test,保证调用方式不被改变
print(test())         #执行的是wrapper() 时间为3.000171661376953
@timmer   # @timmer想当于 test=timmer(test)
def test():
    time.sleep(3)
    print("函数执行完毕")

print(test())   #3.000171661376953
import time

#装饰器的架子,实现一个计算函数运行时间的装饰器
def timmer(func):       #传递的参数是函数名,为高阶函数
    def wrapper(): #wrapper中实现了函数运行时间的计算
        start_time=time.time()
        res=func()    #运行待测函数,并返回res
        stop_time=time.time()
        print('函数的运行时间是%s'%(stop_time-start_time))
        return res
    return wrapper

@timmer  #想当与test=timmer(test)
def test():
    time.sleep(3)
    print("函数执行完毕")
    return '这是函数的返回值'

print(test())
#装饰器的架子,实现一个计算函数运行时间的装饰器
def timmer(func):       #传递的参数是函数名,为高阶函数
    def wrapper(*args,**kwargs): #wrapper中实现了函数运行时间的计算
        start_time=time.time()
        res=func(*args,**kwargs)    #运行待测函数
        stop_time=time.time()
        print('函数的运行时间是%s'%(stop_time-start_time))
        return res
    return wrapper

#待测试函数

@timmer  #想当与test=timmer(test)
def test_demo(name,age):
    time.sleep(3)
    print("函数执行完毕")
    return '这是函数的返回值'

@timmer  #想当与test=timmer(test)
def test_demo2(name,age,gender):
    time.sleep(3)
    print("函数执行完毕")
    return '这是函数的返回值'

print(test_demo('lucy',18))
print(test_demo2('lucy',18,'male'))
上一篇下一篇

猜你喜欢

热点阅读