如何理解Python装饰器

先来个形象比方

内裤可以用来遮羞,但是到了冬天它没法为我们防风御寒,聪明的人们发明了长裤,有了长裤后宝宝再也不冷了,装饰器就像我们这里说的长裤,在不影响内裤作用的前提下,给我们的身子提供了保暖的功效。

再回到我们的主题

装饰器本质上是一个Python函数,它可以让其他函数在不需要做任何代码变动的前提下增加额外功能,装饰器的返回值也是一个函数对象。它经常用于有切面需求的场景,比如:插入日志、性能测试、事务处理、缓存、权限校验等场景。装饰器是解决这类问题的绝佳设计,有了装饰器,我们就可以抽离出大量与函数功能本身无关的雷同代码并继续重用。概括的讲,装饰器的作用就是为已经存在的对象添加额外的功能。

先来看一个简单例子:

def foo():
     print('i am foo')

现在有一个新的需求,希望可以记录下函数的执行日志,于是在代码中添加日志代码:

def foo(): 
    print('i am foo') 
    logging.info("foo is running")

bar()、bar2()也有类似的需求,怎么做?再写一个logging在bar函数里?这样就造成大量雷同的代码,为了减少重复写代码,我们可以这样做,重新定义一个函数:专门处理日志,日志处理完之后再执行真正的业务代码

def use_logging(func):
    logging.warn("%s is running" % func.__name__)
    func()

def bar(): 
    print('i am bar')

use_logging(bar)

逻辑上不难理解,但是这样的话,我们每次都要将一个函数作为参数传递给use_logging函数。而且这种方式已经破坏了原有的代码逻辑结构,之前执行业务逻辑时,执行运行bar(),但是现在不得不改成use_logging(bar)。那么有没有更好的方式的呢?当然有,答案就是装饰器。


简单装饰器

def use_logging(func):

    def wrapper(*args, **kwargs):
        logging.warn("%s is running" % func.__name__)
        return func(*args, **kwargs)
    return wrapper

def bar():
    print('i am bar')

bar = use_logging(bar)
bar()

函数use_logging就是装饰器,它把执行真正业务方法的func包裹在函数里面,看起来像bar被use_logging装饰了。在这个例子中,函数进入和退出时 ,被称为一个横切面(Aspect),这种编程方式被称为面向切面的编程(Aspect-Oriented Programming)。 @符号是装饰器的语法糖,在定义函数的时候使用,避免再一次赋值操作

def use_logging(func):

    def wrapper(*args, **kwargs):
        logging.warn("%s is running" % func.__name__)
        return func(*args)
    return wrapper

@use_logging
def foo():
    print("i am foo")

@use_logging
def bar():
    print("i am bar")

bar()

如上所示,这样我们就可以省去bar = use_logging(bar)这一句了,直接调用bar()即可得到想要的结果。如果我们有其他的类似函数,我们可以继续调用装饰器来修饰函数,而不用重复修改函数或者增加新的封装。这样,我们就提高了程序的可重复利用性,并增加了程序的可读性。

装饰器在Python使用如此方便都要归因于Python的函数能像普通的对象一样能作为参数传递给其他函数,可以被赋值给其他变量,可以作为返回值,可以被定义在另外一个函数内。


带参数的装饰器

装饰器还有更大的灵活性,例如带参数的装饰器:在上面的装饰器调用中,比如@use_logging,该装饰器唯一的参数就是执行业务的函数。装饰器的语法允许我们在调用时,提供其它参数,比如@decorator(a)。这样,就为装饰器的编写和使用提供了更大的灵活性。

def use_logging(level):
    def decorator(func):
        def wrapper(*args, **kwargs):
            if level == "warn":
                logging.warn("%s is running" % func.__name__)
            return func(*args)
        return wrapper

    return decorator

@use_logging(level="warn")
def foo(name='foo'):
    print("i am %s" % name)

foo()

上面的use_logging是允许带参数的装饰器。它实际上是对原有装饰器的一个函数封装,并返回一个装饰器。我们可以将它理解为一个含有参数的闭包。当我们使用@use_logging(level="warn")调用的时候,Python能够发现这一层的封装,并把参数传递到装饰器的环境中


类装饰器

再来看看类装饰器,相比函数装饰器,类装饰器具有灵活度大、高内聚、封装性等优点。使用类装饰器还可以依靠类内部的__call__方法,当使用 @ 形式将装饰器附加到函数上时,就会调用此方法。

class Foo(object):
    def __init__(self, func):
        self._func = func

def __call__(self):
    print ('class decorator runing')
    self._func()
    print ('class decorator ending')

@Foo
def bar():
    print ('bar')

bar()

functools.wraps

使用装饰器极大地复用了代码,但是他有一个缺点就是原函数的元信息不见了,比如函数的docstring、name、参数列表,先看例子:

  • 装饰器

    def logged(func):
      def with_logging(*args, **kwargs):
          print func.__name__ + " was called"
          return func(*args, **kwargs)
      return with_logging
    
  • 函数

    @logged
    def f(x):
     """does some math"""
     return x + x * x
    
  • 该函数完成等价于:

    def f(x):
      """does some math"""
      return x + x * x
    f = logged(f)
    

不难发现,函数f被withlogging取代了,当然它的docstring,\__name\_就是变成了with_logging函数的信息了。

print f.__name__    # prints 'with_logging'
print f.__doc__     # prints None

这个问题就比较严重的,好在我们有functools.wraps,wraps本身也是一个装饰器,它能把原函数的元信息拷贝到装饰器函数中,这使得装饰器函数也有和原函数一样的元信息了。

from functools import wraps
def logged(func):
    @wraps(func)
    def with_logging(*args, **kwargs):
        print func.__name__ + " was called"
        return func(*args, **kwargs)
    return with_logging

@logged
def f(x):
    """does some math"""
    return x + x * x

print f.__name__  # prints 'f'
print f.__doc__   # prints 'does some math'

内置装饰器

@staticmathod、@classmethod、@property

装饰器的顺序

@a
@b
@c
def f ():

等效于

f = a(b(c(f)))

1.装饰器无参数:

>>> def first(func): print '%s() was post to first()'%func.func_name def _first(*args,**kw): print 'Call the function %s() in _first().'%func.func_name return func(*args,**kw) return _first >>> def second(func): print '%s() was post to second()'%func.func_name def _second(*args,**kw): print 'Call the function %s() in _second().'%func.func_name return func(*args,**kw) return _second >>> @first @second def test():return 'hello world' test() was post to second() _second() was post to first() >>> test() Call the function _second() in _first(). Call the function test() in _second(). 'hello world' >>>
实际上它是相当于下面的代码:

>>> def test(): return 'hello world' >>> test=second(test) test() was post to second() >>> test <function _second at 0x000000000316D3C8> >>> test=first(test) _second() was post to first() >>> test <function _first at 0x000000000316D358> >>> test() Call the function _second() in _first(). Call the function test() in _second(). 'hello world' >>>


2.装饰器有参数:

>>> def first(printResult=False): def _first(func): print '%s() was post to _first()'%func.func_name def __first(*args,**kw): print 'Call the function %s() in __first().'%\ func.func_name if printResult: print func(*args,**kw),'#print in __first().' else: return func(*args,**kw) return __first return _first >>> def second(printResult=False): def _second(func): print '%s() was post to _second()'%func.func_name def __second(*args,**kw): print 'Call the function %s() in __second().'%\ func.func_name if printResult: print func(*args,**kw),'#print in __second().' else: return func(*args,**kw) return __second return _second >>> @first(True) @second(True) def test(): return 'hello world' test() was post to _second() __second() was post to _first() >>> test() Call the function __second() in __first(). Call the function test() in __second(). hello world #print in __second(). None #print in __first(). >>>

如上,第35行输出后调用second(),而second()中又调用了test()并print test(),而后返回first()中继续执行print,而这个print语句print的内容是second()返回的None 它等同于:

>>> def test(): return 'hello world' >>> test=second(True)(test) test() was post to _second() >>> >>> test <function __second at 0x000000000316D2E8> >>> test=first(True)(test) __second() was post to _first() >>> test <function __first at 0x0000000003344C18> >>>


例1:无参数的函数

#decorator.py
from time import ctime, sleep

def timefun(func):
    def wrappedfunc():
        print "%s called at %s"%(func.__name__, ctime())
        return func()
    return wrappedfunc

@timefun
def foo():
    pass

foo()
sleep(2)
foo()

例2:被装饰的函数有参数

#decorator2.py
from time import ctime, sleep

def timefun(func):
    def wrappedfunc(a, b):
        print "%s called at %s"%(func.__name__, ctime())
        print a, b
        return func(a, b)
    return wrappedfunc

@timefun
def foo(a, b):
    print a+b

foo(3,5)
sleep(2)
foo(2,4)

例3:装饰器带参数,在原有装饰器的基础上,设置外部变量

#decorator2.py
from time import ctime, sleep

def timefun_arg(pre="hello"):
    def timefun(func):
        def wrappedfunc():
            print "%s called at %s %s"%(func.__name__, ctime(), pre)
            return func()
        return wrappedfunc
    return timefun

@timefun_arg("itcast")
def foo():
    pass

@timefun_arg("xwp")
def too():
    pass

foo()
sleep(2)
foo()

too()
sleep(2)
too()

输出结果:

foo called at Mon Oct 31 10:44:52 2016 itcast
foo called at Mon Oct 31 10:44:54 2016 itcast
too called at Mon Oct 31 10:44:54 2016 xwp
too called at Mon Oct 31 10:44:56 2016 xwp

例4:装饰器和闭包混用(难)

#coding=utf-8

from time import time

def logged(when):
    def log(f, *args, **kargs):
        print "fun:%s  args:%r  kargs:%r" %(f, args, kargs) 
        #%r字符串的同时,显示原有对象类型

    def pre_logged(f):
        def wrapper(*args, **kargs):
            log(f, *args, **kargs)
            return f(*args, **kargs)
        return wrapper

    def post_logged(f):
        def wrapper(*args, **kargs):
            now=time()
            try:
                return f(*args, **kargs)
            finally:
                log(f, *args, **kargs)
                print "time delta: %s"%(time()-now)
        return wrapper
    try:
        return {"pre":pre_logged, "post":post_logged}[when]
    except KeyError, e:
        raise ValueError(e), 'must be "pre" or "post"'

@logged("post")
def fun(name):
    print "Hello, ", name

fun("itcastcpp!")

输出结果:

Hello, itcastcpp!

fun:<function fun at 0x7f293ebbc410> args:('itcastcpp!',) kargs:{}

time delta: 0.000159025192261

http://www.jb51.net/article/63894.htm