我希望能够咖喱merge_with
:merge_with
符合我的预期
>>> from cytoolz import curry, merge_with
>>> d1 = {"a" : 1, "b" : 2}
>>> d2 = {"a" : 2, "b" : 3}
>>> merge_with(sum, d1, d2)
{'a': 3, 'b': 5}
在一个简单的函数上,
curry
可以正常工作:>>> def f(a, b):
... return a * b
...
>>> curry(f)(2)(3)
6
但是我无法“手动”制作
merge_with
的咖喱版本:>>> curry(merge_with)(sum)(d1, d2)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: 'dict' object is not callable
>>> curry(merge_with)(sum)(d1)(d2)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: 'dict' object is not callable
预咖版的作品:
>>> from cytoolz.curried import merge_with as cmerge
>>> cmerge(sum)(d1, d2)
{'a': 3, 'b': 5}
我的错误在哪里?
最佳答案
这是因为merge_with
将dicts
作为位置参数:
merge_with(func, *dicts, **kwargs)
因此
f
是唯一的必填参数,对于空的*args
,您将获得一个空的字典:>>> curry(merge_with)(sum) # same as merge_with(sum)
{}
所以:
curry(f)(2)(3)
相当于
>>> {}(2)(3)
Traceback (most recent call last):
...
TypeError: 'dict' object is not callable
您必须明确并定义助手
def merge_with_(f):
def _(*dicts, **kwargs):
return merge_with(f, *dicts, **kwargs)
return _
可以根据需要使用:
>>> merge_with_(sum)(d1, d2)
{'a': 3, 'b': 5}
要么:
def merge_with_(f, d1, d2, *args, **kwargs):
return merge_with(f, d1, d2, *args, **kwargs)
两者都可以
>>> curry(merge_with_)(sum)(d1, d2)
{'a': 3, 'b': 5}
和:
>>> curry(merge_with_)(sum)(d1)(d2)
{'a': 3, 'b': 5}
关于python - 在python toolz中 curry merge_with,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/47635640/