如何测试functools.partial产生预期的函数对象

时间:2014-03-27 16:23:15

标签: python unit-testing arguments functools

当从一个API转到另一个API时,有时可以帮助在每个API中的相似关键字之间进行映射,从而允许一个控制器API灵活地分发到其他库,而无需用户在引擎盖下使用不同的API。 / p>

假设某个库other_api有一个名为"logarithm"的方法,而基础的关键字参数是我需要从我的代码中分解出来的,例如"log_base_val";所以要从other_api使用它我需要输入(例如):

other_api.logarithm(log_base_val=math.e)

考虑像这样的玩具类:

import other_api
import math
import functools

class Foo(object):
    _SUPPORTED_ARGS = {"base":"log_base_val"}

    def arg_binder(self, other_api_function_name, **kwargs):
        other_api_function = getattr(other_api, other_api_function_name)
        other_api_kwargs = {_SUPPORTED_ARGS[k]:v for k,v in kwargs.iteritems()}
        return functools.partial(other_api_function, **other_api_kwargs)

使用Foo,我可以映射一些其他API,其中此参数始终称为base,如下所示:

f = Foo()
ln = f.arg_binder("logarithm", base=math.e)

ln在逻辑上等同于log_base_val=math.e中的kwargs,来自functools):

other_api.logarithm(*args, **kwargs)

但是,通过调用functools手动创建相同的参数绑定将导致不同的函数对象:

In [10]: import functools

In [11]: def foo(a, b):
   ....:     return a + b
   ....: 

In [12]: f1 = functools.partial(foo, 2)

In [13]: f2 = functools.partial(foo, 2)

In [14]: id(f1)
Out[14]: 67615304

In [15]: id(f2)
Out[15]: 67615568

因此f1 == f2的测试不会按预期成功:

In [16]: f1 == f2
Out[16]: False

所以问题是:测试参数绑定函数是否导致正确的输出函数对象的规定方法是什么?

1 个答案:

答案 0 :(得分:6)

func对象上的partial()属性是对原始函数对象的引用:

f1.func is f2.func

功能对象本身不会实现__eq__方法,因此您也可以使用is来测试身份。

类似地,partial().argspartial().keywords包含在调用时传递给函数的参数和关键字参数。

演示:

>>> from functools import partial
>>> def foo(a, b):
...     return a + b
... 
>>> f1 = partial(foo, 2)
>>> f2 = partial(foo, 2)
>>> f1.func is f2.func
True
>>> f1.args
(2,)
>>> f2.args
(2,)
>>> f1.keywords is None
True
>>> f2.keywords is None
True