1.語法糖
上面這段代碼看起來似乎已經不能再精簡了,Python于是提供了一個語法糖來降低字符輸入量。
importtime
deftimeit(func):
defwrapper():
start=time.clock()
func()
end=time.clock()
print'used:',end-start
returnwrapper
@timeit
deffoo():
print'infoo()'
foo()
重點關注第11行的@timeit,在定義上加上這一行與另外寫foo=timeit(foo)完全等價,千萬不要以為@有另外的魔力。除了字符輸入少了一些,還有一個額外的好處:這樣看上去更有裝飾器的感覺。
2.內置的裝飾器
內置的裝飾器有三個,分別是staticmethod、classmethod和property,作用分別是把類中定義的實例方法變成靜態方法、類方法和類屬性。由于模塊里可以定義函數,所以靜態方法和類方法的用處并不是太多,除非你想要完全的面向對象編程。而屬性也不是不可或缺的,Java沒有屬性也一樣活得很滋潤。從我個人的Python經驗來看,我沒有使用過property,使用staticmethod和classmethod的頻率也非常低。
classRabbit(object):
def__init__(self,name):
self._name=name
@staticmethod
defnewRabbit(name):
@classmethod
defnewRabbit2(cls):
returnRabbit('')
@property
defname(self):
returnself._name
這里定義的屬性是一個只讀屬性,如果需要可寫,則需要再定義一個setter:
@name.setter
defname(self,name):
self._name=name
3.functools模塊
functools模塊提供了兩個裝飾器。這個模塊是Python2.5后新增的,一般來說大家用的應該都高于這個版本。但我平時的工作環境是2.4T-T
3.1.wraps(wrapped[,assigned][,updated]):
這是一個很有用的裝飾器。看過前一篇反射的朋友應該知道,函數是有幾個特殊屬性比如函數名,在被裝飾后,上例中的函數名foo會變成包裝函數的名字wrapper,如果你希望使用反射,可能會導致意外的結果。這個裝飾器可以解決這個問題,它能將裝飾過的函數的特殊屬性保留。
importtime
importfunctools
deftimeit(func):
@functools.wraps(func)
defwrapper():
start=time.clock()
func()
end=time.clock()
print'used:',end-start
returnwrapper
@timeit
deffoo():
print'infoo()'
foo()
printfoo.__name__
首先注意第5行,如果注釋這一行,foo.__name__將是'wrapper'。另外相信你也注意到了,這個裝飾器竟然帶有一個參數。實際上,他還有另外兩個可選的參數,assigned中的屬性名將使用賦值的方式替換,而updated中的屬性名將使用update的方式合并,你可以通過查看functools的源代碼獲得它們的默認值。對于這個裝飾器,相當于wrapper=functools.wraps(func)(wrapper)。
3.2.total_ordering(cls):
這個裝飾器在特定的場合有一定用處,但是它是在Python2.7后新增的。它的作用是為實現了至少__lt__、__le__、__gt__、__ge__其中一個的類加上其他的比較方法,這是一個類裝飾器。如果覺得不好理解,不妨仔細看看這個裝飾器的源代碼:
53deftotal_ordering(cls):
54"""Classdecoratorthatfillsinmissingorderingmethods"""
55convert={
56'__lt__':[('__gt__',lambdaself,other:other 57('__le__',lambdaself,other:notother 58('__ge__',lambdaself,other:notself 59'__le__':[('__ge__',lambdaself,other:other<=self), 60('__lt__',lambdaself,other:notother<=self), 61('__gt__',lambdaself,other:notself<=other)], 62'__gt__':[('__lt__',lambdaself,other:other>self), 63('__ge__',lambdaself,other:notother>self), 64('__le__',lambdaself,other:notself>other)], 65'__ge__':[('__le__',lambdaself,other:other>=self), 66('__gt__',lambdaself,other:notother>=self), 67('__lt__',lambdaself,other:notself>=other)] 68} 69roots=set(dir(cls))&set(convert) 70ifnotroots: 71raiseValueError('mustdefineatleastoneorderingoperation:<><=>=') 72root=max(roots)#prefer__lt__to__le__to__gt__to__ge__ 73foropname,opfuncinconvert[root]: 74ifopnamenotinroots: 75opfunc.__name__=opname 76opfunc.__doc__=getattr(int,opname).__doc__ 77setattr(cls,opname,opfunc) 78returncls 以上內容為大家介紹了Python的額外支持,希望對大家有所幫助,如果想要了解更多Python相關知識,請關注IT培訓機構:千鋒教育。