首页 > 代码库 > Python的functools模块
Python的functools模块
这个模块提供了3个有趣的函数,这里介绍下其用法。
首先是partial函数,它可以重新绑定函数的可选参数,生成一个callable的partial对象
- >>> int(‘10‘) # 实际上等同于int(‘10‘, base=10)和int(‘10‘, 10)
- 10
- >>> int(‘10‘, 2) # 实际上是int(‘10‘, base=2)的缩写
- 2
- >>> from functools import partial
- >>> int2 = partial(int, 2) # 这里我没写base,结果就出错了
- >>> int2(‘10‘)
- Traceback (most recent call last):
- File "<stdin>", line 1, in <module>
- TypeError: an integer is required
- >>> int2 = partial(int, base=2) # 把base参数绑定在int2这个函数里
- >>> int2(‘10‘) # 现在缺省参数base被设为2了
- 2
- >>> int2(‘10‘, 3) # 没加base,结果又出错了
- Traceback (most recent call last):
- File "<stdin>", line 1, in <module>
- TypeError: keyword parameter ‘base‘ was given by position and by name
- >>> int2(‘10‘, base=3)
- 3
- >>> type(int2)
- <type ‘functools.partial‘>
从中可以看出,唯一要注意的是可选参数必须写出参数名。
接着是update_wrapper函数,它可以把被封装函数的__name__、__module__、__doc__和 __dict__都复制到封装函数去:
- #-*- coding: gbk -*-
- def thisIsliving(fun):
- def living(*args, **kw):
- return fun(*args, **kw) + ‘活着就是吃嘛。‘
- return living
- @thisIsliving
- def whatIsLiving():
- "什么是活着"
- return ‘对啊,怎样才算活着呢?‘
- print whatIsLiving()
- print whatIsLiving.__doc__
- from functools import update_wrapper
- def thisIsliving(fun):
- def living(*args, **kw):
- return fun(*args, **kw) + ‘活着就是吃嘛。‘
- return update_wrapper(living, fun)
- @thisIsliving
- def whatIsLiving():
- "什么是活着"
- return ‘对啊,怎样才算活着呢?‘
- print whatIsLiving()
- print whatIsLiving.__doc__
结果:
对啊,怎样才算活着呢?活着就是吃嘛。不过也没多大用处,毕竟只是少写了4行赋值语句而已。
None
对啊,怎样才算活着呢?活着就是吃嘛。
什么是活着
最后是wraps函数,它将update_wrapper也封装了进来:
[python]
view plain
copy
- #-*- coding: gbk -*-
- from functools import wraps
- def thisIsliving(fun):
- @wraps(fun)
- def living(*args, **kw):
- return fun(*args, **kw) + ‘活着就是吃嘛。‘
- return living
- @thisIsliving
- def whatIsLiving():
- "什么是活着"
- return ‘对啊,怎样才算活着呢?‘
- print whatIsLiving()
- print whatIsLiving.__doc__
Python的functools模块
声明:以上内容来自用户投稿及互联网公开渠道收集整理发布,本网站不拥有所有权,未作人工编辑处理,也不承担相关法律责任,若内容有误或涉及侵权可进行投诉: 投诉/举报 工作人员会在5个工作日内联系你,一经查实,本站将立刻删除涉嫌侵权内容。