详解Python中的装饰器、闭包和functools的教程
装饰器(Decorators)
装饰器是这样一种设计模式:如果一个类希望添加其他类的一些功能,而不希望通过继承或是直接修改源代码实现,那么可以使用装饰器模式。简单来说Python中的装饰器就是指某些函数或其他可调用对象,以函数或类作为可选输入参数,然后返回函数或类的形式。通过这个在Python2.6版本中被新加入的特性可以用来实现装饰器设计模式。
顺便提一句,在继续阅读之前,如果你对Python中的闭包(Closure)概念不清楚,请查看本文结尾后的附录,如果没有闭包的相关概念,很难恰当的理解Python中的装饰器。
在Python中,装饰器被用于用@语法糖修辞的函数或类。现在让我们用一个简单的装饰器例子来演示如何做一个函数调用日志记录器。在这个例子中,装饰器将时间格式作为输入参数,在调用被这个装饰器装饰的函数时打印出函数调用的时间。这个装饰器当你需要手动比较两个不同算法或实现的效率时很有用。
deflogged(time_format): defdecorator(func): defdecorated_func(*args,**kwargs): print"-Running'%s'on%s"%( func.__name__, time.strftime(time_format) ) start_time=time.time() result=func(*args,**kwargs) end_time=time.time() print"-Finished'%s',executiontime=%0.3fs"%( func.__name__, end_time-start_time ) returnresult decorated_func.__name__=func.__name__ returndecorated_func returndecorator
来看一个例子,在这里add1和add2函数被logged修饰,下面给出了一个输出示例。请注意在这里时间格式参数是存储在被返回的装饰器函数中(decorated_func)。这就是为什么理解闭包对于理解装饰器来说很重要的原因。同样也请注意返回函数的名字是如何被替换为原函数名的,以防万一如果它还要被使用到,这是为了防止混淆。Python默认可不会这么做。
@logged("%b%d%Y-%H:%M:%S")
defadd1(x,y):
time.sleep(1)
returnx+y
@logged("%b%d%Y-%H:%M:%S")
defadd2(x,y):
time.sleep(2)
returnx+y
printadd1(1,2)
printadd2(1,2)
#Output:
-Running'add1'onJul242013-13:40:47
-Finished'add1',executiontime=1.001s
3
-Running'add2'onJul242013-13:40:48
-Finished'add2',executiontime=2.001s
3
如果你足够细心,你可能会注意到我们对于返回函数的名字__name__有着特别的处理,但对其他的注入__doc__或是__module__则没有如此。所以如果,在这个例子中add函数有一个doc字符串的话,它就会被丢弃。那么该如何处理呢?我们当然可以像处理__name__那样对待所有的字段,不过如果在每个装饰器内都这么做的话未免太繁冗了。这就是为何functools模块提供了一个名为wraps的装饰器的原因,那正是为了处理这种情况。可能在理解装饰器的过程中会被迷惑,不过当你把装饰器看成是一个接收函数名作为输入参数并且返回一个函数,这样就很好理解了。我们将在下个例子中使用wraps装饰器而不是手动去处理__name__或其他属性。
下个例子会有点复杂,我们的任务是将一个函数调用的返回结果缓存一段时间,输入参数决定缓存时间。传递给函数的输入参数必须是可哈希的对象,因为我们使用包含调用输入参数的tuple作为第一个参数,第二个参数则为一个frozenset对象,它包含了关键词项kwargs,并且作为cachekey。每个函数都会有一个唯一的cache字典存储在函数的闭包内。
【译注】set和frozenset为Python的两种内建集合,其中前者为可变对象(mutable),其元素可以使用add()或remove()进行变更,而后者为不可变对象(imutable)并且是可哈希的(hashable),在建立之后元素不可变,他可以作为字典的key或是另一个集合的元素。
importtime
fromfunctoolsimportwraps
defcached(timeout,logged=False):
"""Decoratortocachetheresultofafunctioncall.
Cacheexpiresaftertimeoutseconds.
"""
defdecorator(func):
iflogged:
print"--Initializingcachefor",func.__name__
cache={}
@wraps(func)
defdecorated_function(*args,**kwargs):
iflogged:
print"--Calledfunction",func.__name__
key=(args,frozenset(kwargs.items()))
result=None
ifkeyincache:
iflogged:
print"--Cachehitfor",func.__name__,key
(cache_hit,expiry)=cache[key]
iftime.time()-expiry<timeout:
result=cache_hit
eliflogged:
print"--Cacheexpiredfor",func.__name__,key
eliflogged:
print"--Cachemissfor",func.__name__,key
#Nocachehit,orexpired
ifresultisNone:
result=func(*args,**kwargs)
cache[key]=(result,time.time())
returnresult
returndecorated_function
returndecorator
来看看它的用法。我们使用装饰器装饰一个很基本的斐波拉契数生成器。这个cache装饰器将对代码使用备忘录模式(MemoizePattern)。请注意fib函数的闭包是如何存放cache字典、一个指向原fib函数的引用、logged参数的值以及timeout参数的最后值的。dump_closure将在文末定义。
>>>@cached(10,True)
...deffib(n):
..."""Returnsthen'thFibonaccinumber."""
...ifn==0orn==1:
...return1
...returnfib(n-1)+fib(n-2)
...
--Initializingcacheforfib
>>>dump_closure(fib)
1.Dumpingfunctionclosureforfib:
--cell0={}
--cell1=
--cell2=True
--cell3=10
>>>
>>>print"Testing-F(4)=%d"%fib(4)
--Calledfunctionfib
--Cachemissforfib((4,),frozenset([]))
--Calledfunctionfib
--Cachemissforfib((3,),frozenset([]))
--Calledfunctionfib
--Cachemissforfib((2,),frozenset([]))
--Calledfunctionfib
--Cachemissforfib((1,),frozenset([]))
--Calledfunctionfib
--Cachemissforfib((0,),frozenset([]))
--Calledfunctionfib
--Cachehitforfib((1,),frozenset([]))
--Calledfunctionfib
--Cachehitforfib((2,),frozenset([]))
Testing-F(4)=5
ClassDecorators
在之前的小节中,我们看了一些函数装饰器和一些使用的小技巧,接下来我们来看看类装饰器。类装饰器将一个class作为输入参数(Python中的一种类类型对象),并且返回一个修改过的class。
第一个例子是一个简单的数学问题。当给定一个有序集合P,我们定义Pd为P的反序集合P(x,y)<->Pd(x,y),也就是说两个有序集合的元素顺序互为相反的,这在Python中该如何实现?假定一个类定义了__lt__以及__le__或其他方法来实现有序。那么我们可以通过写一个类装饰器来替换这些方法。
defmake_dual(relation): @wraps(relation,['__name__','__doc__']) defdual(x,y): returnrelation(y,x) returndual defdual_ordering(cls): """Classdecoratorthatreversesalltheorderings""" forfuncin['__lt__','__gt__','__ge__','__le__']: ifhasattr(cls,func): setattr(cls,func,make_dual(getattr(cls,func))) returncls
下面是将这个装饰器用以str类型的例子,创建一个名为rstr的新类,使用反字典序(oppositelexicographic)为其顺序。
@dual_ordering
classrstr(str):
pass
x=rstr("1")
y=rstr("2")
printx<y
printx<=y
printx>y
printx>=y
#Output:
False
False
True
True
来看一个更复杂的例子。假定我们希望前面所说的logged装饰器能够被用于某个类的所有方法。一个方案是在每个类方法上都加上装饰器。另一个方案是写一个类装饰器自动完成这些工作。在动手之前,我将把前例中的logged装饰器拿出来做一些小改进。首先,它使用functools提供的wraps装饰器完成固定__name__的工作。第二,一个_logged_decorator属性被引入(设置为True的布尔型变量),用来指示这个方法是否已经被装饰器装饰过,因为这个类可能会被继承而子类也许会继续使用装饰器。最后,name_prefix参数被加入用来设置打印的日志信息。
deflogged(time_format,name_prefix=""): defdecorator(func): ifhasattr(func,'_logged_decorator')andfunc._logged_decorator: returnfunc @wraps(func) defdecorated_func(*args,**kwargs): start_time=time.time() print"-Running'%s'on%s"%( name_prefix+func.__name__, time.strftime(time_format) ) result=func(*args,**kwargs) end_time=time.time() print"-Finished'%s',executiontime=%0.3fs"%( name_prefix+func.__name__, end_time-start_time ) returnresult decorated_func._logged_decorator=True returndecorated_func returndecorator
好的,让我们开始写类装饰器:
deflog_method_calls(time_format):
defdecorator(cls):
foroindir(cls):
ifo.startswith('__'):
continue
a=getattr(cls,o)
ifhasattr(a,'__call__'):
decorated_a=logged(time_format,cls.__name__+".")(a)
setattr(cls,o,decorated_a)
returncls
returndecorator
下面是使用方法,注意被继承的或被重写的方法是如何处理的。
@log_method_calls("%b%d%Y-%H:%M:%S")
classA(object):
deftest1(self):
print"test1"
@log_method_calls("%b%d%Y-%H:%M:%S")
classB(A):
deftest1(self):
super(B,self).test1()
print"childtest1"
deftest2(self):
print"test2"
b=B()
b.test1()
b.test2()
#Output:
-Running'B.test1'onJul242013-14:15:03
-Running'A.test1'onJul242013-14:15:03
test1
-Finished'A.test1',executiontime=0.000s
childtest1
-Finished'B.test1',executiontime=1.001s
-Running'B.test2'onJul242013-14:15:04
test2
-Finished'B.test2',executiontime=2.001s
我们第一个类装饰器的例子是类的反序方法。一个相似的装饰器,可以说是相当有用的,实现__lt__、__le__、__gt__、__ge__和__eq__中的一个,能够实现类的全排序么?这也就是functools.total_ordering装饰器所做的工作。详情请见参考文档。
Flask中的一些例子
让我们来看看Flask中用到的一些有趣的装饰器。
假定你希望让某些函数在特定的调用时刻输出警告信息,例如仅仅在debug模式下。而你又不希望每个函数都加入控制的代码,那么你就能够使用装饰器来实现。以下就是Flask的app.py中定义的装饰器的工作。
defsetupmethod(f):
"""Wrapsamethodsothatitperformsacheckindebugmodeifthe
firstrequestwasalreadyhandled.
"""
defwrapper_func(self,*args,**kwargs):
ifself.debugandself._got_first_request:
raiseAssertionError('Asetupfunctionwascalledafterthe'
'firstrequestwashandled.Thisusuallyindicatesabug'
'intheapplicationwhereamodulewasnotimported'
'anddecoratorsorotherfunctionalitywascalledtoolate.\n'
'Tofixthismakesuretoimportallyourviewmodules,'
'databasemodelsandeverythingrelatedatacentralplace'
'beforetheapplicationstartsservingrequests.')
returnf(self,*args,**kwargs)
returnupdate_wrapper(wrapper_func,f)
来看一个更有趣的例子,这个例子是Flask的route装饰器,在Flask类中定义。注意到装饰器可以是类中的一个方法,将self作为第一个参数。完整的代码在app.py中。请注意装饰器简单的将被装饰过的函数注册成为一个URL句柄,这是通过调用add_url_rule函数来实现的。
defroute(self,rule,**options):
"""Adecoratorthatisusedtoregisteraviewfunctionfora
givenURLrule.Thisdoesthesamethingas:meth:`add_url_rule`
butisintendedfordecoratorusage::
@app.route('/')
defindex():
return'HelloWorld'
Formoreinformationreferto:ref:`url-route-registrations`.
:paramrule:theURLruleasstring
:paramendpoint:theendpointfortheregisteredURLrule.Flask
itselfassumesthenameoftheviewfunctionas
endpoint
:paramoptions:theoptionstobeforwardedtotheunderlying
:class:`~werkzeug.routing.Rule`object.Achange
toWerkzeugishandlingofmethodoptions.methods
isalistofmethodsthisruleshouldbelimited
to(`GET`,`POST`etc.).Bydefaultarule
justlistensfor`GET`(andimplicitly`HEAD`).
StartingwithFlask0.6,`OPTIONS`isimplicitly
addedandhandledbythestandardrequesthandling.
"""
defdecorator(f):
endpoint=options.pop('endpoint',None)
self.add_url_rule(rule,endpoint,f,**options)
returnf
returndecorator
扩展阅读
1.officialPythonWiki
2.metaprogramminginPython3
附录:闭包
一个函数闭包是一个函数和一个引用集合的组合,这个引用集合指向这个函数被定义的作用域的变量。后者通常指向一个引用环境(referencingenvironment),这使得函数能够在它被定义的区域之外执行。在Python中,这个引用环境被存储在一个cell的tuple中。你能够通过func_closure或Python3中的__closure__属性访问它。要铭记的一点是引用及是引用,而不是对象的深度拷贝。当然了,对于不可变对象而言,这并不是问题,然而对可变对象(list)这点就必须注意,随后会有一个例子说明。请注意函数在定义的地方也有__globals__字段来存储全局引用环境。
来看一个简单的例子:
>>>defreturn_func_that_prints_s(s):
...deff():
...prints
...returnf
...
>>>g=return_func_that_prints_s("Hello")
>>>h=return_func_that_prints_s("World")
>>>g()
Hello
>>>h()
World
>>>gish
False
>>>h.__closure__
(,)
>>>print[str(c.cell_contents)forcing.__closure__]
['Hello']
>>>print[str(c.cell_contents)forcinh.__closure__]
['World']
一个稍复杂的例子。确保明白为什么会这么执行。
>>>defreturn_func_that_prints_list(z): ...deff(): ...printz ...returnf ... >>>z=[1,2] >>>g=return_func_that_prints_list(z) >>>g() [1,2] >>>z.append(3) >>>g() [1,2,3] >>>z=[1] >>>g() [1,2,3]
【译者】:z.append(3)时,g()内部的引用和z仍然指向一个变量,而z=[1]之后,两者就不再指向一个变量了。
最后,来看看代码中使用到的dump_closure方法的定义。
defdump_closure(f): ifhasattr(f,"__closure__")andf.__closure__isnotNone: print"-Dumpingfunctionclosurefor%s:"%f.__name__ fori,cinenumerate(f.__closure__): print"--cell%d=%s"%(i,c.cell_contents) else: print"-%shasnoclosure!"%f.__name__