人生苦短,我用python。
functools使用频率较高的2个函数:partial()偏函数 和 wraps()消除装饰器使函数名和函数doc发生变化的副作用。
1、partial() 偏函数
1 2 3 4 5 6 7 8 9
| import functools dir(functools)
def showarg(*args, **kw): print(args) print(kw) p = functools.partial(showarg,1,2,a='A') p() p(3,4,b='B')
|
2、wraps() 消除装饰器使函数名和函数doc发生变化的副作用
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46
| import functools dir(functools)
def note(func): "note function" def wrapper(): "wrapper function" print('note something') return func() return wrapper @note # 使用装饰器后,被装饰函数其实已经是另外一个函数了(函数名和函数的doc会发生改变) def test(): "test function" print('I am test') test() print(test.__doc__)
def note(func): "note function" @functools.wraps(func) # 在装饰函数前使用wraps,可以消除装饰器使函数名和函数doc发生变化的副作用 def wrapper(): "wrapper function" print('note something') return func() return wrapper @note def test(): "test function" print('I am test') test() print(test.__doc__)
|
持续更新…