我在 Python 中工作。最近,我发现了一个很棒的小包,叫做fn。我一直在使用它进行功能组合。
例如,而不是:
baz(bar(foo(x))))
使用 fn,您可以编写:
(F() >> foo >> bar >> baz)(x) .
看到这里,我立刻想到了 Clojure:
(-> x foo bar baz) .
但是请注意,在 Clojure 中,输入是如何在左侧的。我想知道这在 python/fn 中是否可行。
我在 Python 中工作。最近,我发现了一个很棒的小包,叫做fn。我一直在使用它进行功能组合。
例如,而不是:
baz(bar(foo(x))))
使用 fn,您可以编写:
(F() >> foo >> bar >> baz)(x) .
看到这里,我立刻想到了 Clojure:
(-> x foo bar baz) .
但是请注意,在 Clojure 中,输入是如何在左侧的。我想知道这在 python/fn 中是否可行。
你不能复制确切的语法,但你可以做类似的事情:
def f(*args):
result = args[0]
for func in args[1:]:
result = func(result)
return result
似乎工作:
>>> f('a test', reversed, sorted, ''.join)
' aestt'
您无法获得确切的语法,尽管您可以获得类似F(x)(foo, bar, baz)
. 这是一个简单的例子:
class F(object):
def __init__(self, arg):
self.arg = arg
def __call__(self, *funcs):
arg = self.arg
for f in funcs:
arg = f(arg)
return arg
def a(x):
return x+2
def b(x):
return x**2
def c(x):
return 3*x
>>> F(2)(a, b, c)
48
>>> F(2)(c, b, a)
38
这与 Blender 的答案有点不同,因为它存储了参数,以后可以在不同的函数中重复使用。
这有点像普通函数应用的反面:不是先指定函数,然后再指定一些参数,而是指定参数,然后再指定函数。这是一个有趣的玩具,但很难想象你为什么真的想要这个。
如果你想使用fn
,通过一点技巧,你可以更接近 Clojure 语法:
>>> def r(x): return lambda: x
>>> (F() >> r(x) >> foo >> bar >> baz)()
看看我如何在组合链的开头添加另一个函数,该函数将x
在调用时返回。这样做的问题是你仍然必须调用你的组合函数,只是没有任何参数。
我认为@Blender 的答案是您尝试在 Python 中模拟 Clojure 的线程函数的最佳选择。
我想出了这个
def _composition(arg, *funcs_and_args):
"""
_composition(
[1,2,3],
(filter, lambda x: x % 2 == 1),
(map, lambda x: x+3)
)
#=> [4, 6]
"""
for func_and_args in funcs_and_args:
func, *b = func_and_args
arg = func(*b, arg)
return(arg)
This seems to work for simple input. Not sure it is worth the effort for complex input, e.g., ((42, 'spam'), {'spam': 42})
.
def compose(function, *functions):
return function if not functions else \
lambda *args, **kwargs: function(compose(*functions)(*args, **kwargs))
def rcompose(*functions):
return compose(*reversed(functions))
def postfix(arg, *functions):
return rcompose(*functions)(arg)
Example:
>>> postfix(1, str, len, hex)
'0x1'
>>> postfix(1, hex, len)
3
我compose
的函数返回一个函数
def compose(*args):
length = len(args)
def _composeInner(lastResult, index):
if ((length - 1) < index):
return lastResult
return _composeInner(args[index](lastResult), index + 1)
return (lambda x: _composeInner(x, 0))
用法:
fn = compose(
lambda x: x * 2,
lambda x: x + 2,
lambda x: x + 1,
lambda x: x / 3
)
result = fn(6) # -> 5
我明白你的意思。这没有意义。在我看来,这个 python 库做得更好。
>>> from compositions.compositions import Compose
>>> foo = Compose(lambda x:x)
>>> foo = Compose(lambda x:x**2)
>>> foo = Compose(lambda x:sin(x))
>>> (baz*bar*foo)(x)