当从一个 API 转到另一个 API 时,有时在每个 API 中的相似关键字之间进行映射会很有帮助,允许一个控制器 API 灵活地分派到其他库,而无需用户在后台对不同 API 大惊小怪。
假设某个库 ,other_api
有一个名为 的方法"logarithm"
,并且 base 的关键字参数是我需要从我的代码中分解出来的东西,比如"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
在逻辑上等价于 (with log_base_val=math.e
in kwargs
, from 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
所以问题是:测试参数绑定函数是否产生正确的输出函数对象的规定方法是什么?