Python functools模块学习总结


Posted in Python onMay 09, 2015

文档 地址

functools.partial

作用:

functools.partial 通过包装手法,允许我们 "重新定义" 函数签名

用一些默认参数包装一个可调用对象,返回结果是可调用对象,并且可以像原始对象一样对待

冻结部分函数位置函数或关键字参数,简化函数,更少更灵活的函数参数调用

#args/keywords 调用partial时参数

def partial(func, *args, **keywords):

    def newfunc(*fargs, **fkeywords):

        newkeywords = keywords.copy()

        newkeywords.update(fkeywords)

        return func(*(args + fargs), **newkeywords) #合并,调用原始函数,此时用了partial的参数

    newfunc.func = func

    newfunc.args = args

    newfunc.keywords = keywords

    return newfunc

声明:
urlunquote = functools.partial(urlunquote, encoding='latin1')

当调用 urlunquote(args, *kargs)

相当于 urlunquote(args, *kargs, encoding='latin1')

E.g:

import functools
def add(a, b):

    return a + b
add(4, 2)

6
plus3 = functools.partial(add, 3)

plus5 = functools.partial(add, 5)
plus3(4)

7

plus3(7)

10
plus5(10)

15

应用:

典型的,函数在执行时,要带上所有必要的参数进行调用。

然后,有时参数可以在函数被调用之前提前获知。

这种情况下,一个函数有一个或多个参数预先就能用上,以便函数能用更少的参数进行调用。

functool.update_wrapper

默认partial对象没有__name__和__doc__, 这种情况下,对于装饰器函数非常难以debug.使用update_wrapper(),从原始对象拷贝或加入现有partial对象

它可以把被封装函数的__name__、module、__doc__和 __dict__都复制到封装函数去(模块级别常量WRAPPER_ASSIGNMENTS, WRAPPER_UPDATES)

>>> functools.WRAPPER_ASSIGNMENTS

('__module__', '__name__', '__doc__')

>>> functools.WRAPPER_UPDATES

('__dict__',)

这个函数主要用在装饰器函数中,装饰器返回函数反射得到的是包装函数的函数定义而不是原始函数定义
#!/usr/bin/env python

# encoding: utf-8
def wrap(func):

    def call_it(*args, **kwargs):

        """wrap func: call_it"""

        print 'before call'

        return func(*args, **kwargs)

    return call_it
@wrap

def hello():

    """say hello"""

    print 'hello world'
from functools import update_wrapper

def wrap2(func):

    def call_it(*args, **kwargs):

        """wrap func: call_it2"""

        print 'before call'

        return func(*args, **kwargs)

    return update_wrapper(call_it, func)
@wrap2

def hello2():

    """test hello"""

    print 'hello world2'
if __name__ == '__main__':

    hello()

    print hello.__name__

    print hello.__doc__
    print

    hello2()

    print hello2.__name__

    print hello2.__doc__

得到结果:

before call

hello world

call_it

wrap func: call_it
before call

hello world2

hello2

test hello

functool.wraps

调用函数装饰器partial(update_wrapper, wrapped=wrapped, assigned=assigned, updated=updated)的简写

from functools import wraps

def wrap3(func):

    @wraps(func)

    def call_it(*args, **kwargs):

        """wrap func: call_it2"""

        print 'before call'

        return func(*args, **kwargs)

    return call_it
@wrap3

def hello3():

    """test hello 3"""

    print 'hello world3'

结果
before call

hello world3

hello3

test hello 3

functools.reduce

functools.reduce(function, iterable[, initializer])

等同于内置函数reduce()

用这个的原因是使代码更兼容(python3)

functools.cmp_to_key

functools.cmp_to_key(func)
将老式鼻尖函数转换成key函数,用在接受key函数的方法中(such as sorted(), min(), max(), heapq.nlargest(), heapq.nsmallest(), itertools.groupby())

一个比较函数,接收两个参数,小于,返回负数,等于,返回0,大于返回整数

key函数,接收一个参数,返回一个表明该参数在期望序列中的位置

例如:

sorted(iterable, key=cmp_to_key(locale.strcoll))  # locale-aware sort order

functools.total_ordering

functools.total_ordering(cls)

这个装饰器是在python2.7的时候加上的,它是针对某个类如果定义了__lt__、le、gt、__ge__这些方法中的至少一个,使用该装饰器,则会自动的把其他几个比较函数也实现在该类中
@total_ordering

class Student:

    def __eq__(self, other):

        return ((self.lastname.lower(), self.firstname.lower()) ==

                (other.lastname.lower(), other.firstname.lower()))

    def __lt__(self, other):

        return ((self.lastname.lower(), self.firstname.lower()) <

                (other.lastname.lower(), other.firstname.lower()))

print dir(Student)

得到
['__doc__', '__eq__', '__ge__', '__gt__', '__le__', '__lt__', '__module__']
Python 相关文章推荐
python编写网页爬虫脚本并实现APScheduler调度
Jul 28 Python
教你用Python写安卓游戏外挂
Jan 11 Python
[原创]windows下Anaconda的安装与配置正解(Anaconda入门教程)
Apr 05 Python
python获取命令行输入参数列表的实例代码
Jun 23 Python
pygame游戏之旅 添加键盘按键的方法
Nov 20 Python
Python告诉你木马程序的键盘记录原理
Feb 02 Python
Python使用Slider组件实现调整曲线参数功能示例
Sep 06 Python
python调用Matplotlib绘制分布点图
Oct 18 Python
TensorFlow2.0矩阵与向量的加减乘实例
Feb 07 Python
Python xlrd excel文件操作代码实例
Mar 10 Python
Python colormap库的安装和使用详情
Oct 06 Python
Python虚拟环境virtualenv是如何使用的
Jun 20 Python
Python浅拷贝与深拷贝用法实例
May 09 #Python
九步学会Python装饰器
May 09 #Python
Python类属性与实例属性用法分析
May 09 #Python
python回调函数用法实例分析
May 09 #Python
python类和函数中使用静态变量的方法
May 09 #Python
Python实用日期时间处理方法汇总
May 09 #Python
python fabric使用笔记
May 09 #Python
You might like
php程序之die调试法 快速解决错误
2009/09/17 PHP
php4与php5的区别小结(配置异同)
2011/12/20 PHP
php+mysql数据库查询实例
2015/01/21 PHP
jquery学习笔记 用jquery实现无刷新登录
2011/08/08 Javascript
jQuery $.extend()用法总结
2014/06/15 Javascript
简述JavaScript中正则表达式的使用方法
2015/06/15 Javascript
jQuery增加与删除table列的方法
2016/03/01 Javascript
使用JQuery 加载页面时调用JS的实现方法
2016/05/30 Javascript
JS实现搜索框文字可删除功能
2016/12/28 Javascript
bootstrap datetimepicker实现秒钟选择下拉框
2017/01/05 Javascript
从零学习node.js之详解异步控制工具async(八)
2017/02/27 Javascript
JS变量及其作用域
2017/03/29 Javascript
TypeScript入门-接口
2017/03/30 Javascript
node中使用es6/7/8(支持性与性能)
2019/03/28 Javascript
面试题:react和vue的区别分析
2019/04/08 Javascript
vue中使用echarts的示例
2021/01/03 Vue.js
js实现验证码干扰(静态)
2021/02/22 Javascript
[02:56]《DAC最前线》之国外战队抵达上海备战亚洲邀请赛
2015/01/28 DOTA
[51:44]2018DOTA2亚洲邀请赛 4.3 突围赛 Optic vs iG 第二场
2018/04/04 DOTA
python实现划词翻译
2020/04/23 Python
python使用matplotlib绘制折线图教程
2017/02/08 Python
python3+selenium实现qq邮箱登陆并发送邮件功能
2019/01/23 Python
手把手教你使用Python创建微信机器人
2019/04/29 Python
python使用threading.Condition交替打印两个字符
2019/05/07 Python
Python为何不能用可变对象作为默认参数的值
2019/07/01 Python
Python搭建HTTP服务过程图解
2019/12/14 Python
python3实现在二叉树中找出和为某一值的所有路径(推荐)
2019/12/26 Python
pyqt5 QlistView列表显示的实现示例
2020/03/24 Python
pandas创建DataFrame的7种方法小结
2020/06/14 Python
Hotels.com爱尔兰:全球酒店预订
2017/02/24 全球购物
体育活动总结范文
2014/05/04 职场文书
公司离职证明范本
2014/10/17 职场文书
预备党员群众路线思想汇报2014
2014/10/25 职场文书
祝寿主持词
2015/07/02 职场文书
田径运动会通讯稿
2015/07/18 职场文书
mybatis-plus模糊查询指定字段
2022/04/28 Java/Android