在Python中翻转函数的参数顺序

时间:2012-03-24 08:35:23

标签: python functional-programming

如今,我开始学习haskell,当我这样做时,我尝试实现我从Python中学到的一些想法。但是,我发现这个具有挑战性。你可以在Haskell中编写一个函数,它接受另一个函数作为参数,并返回相同的函数,并且它的参数的顺序被翻转。可以用Python做类似的事吗?例如,

def divide(a,b):
    return a / b

new_divide = flip(divide)

# new_divide is now a function that returns second argument divided by first argument

你能用Python做到这一点吗?

2 个答案:

答案 0 :(得分:13)

您可以使用嵌套函数定义在Python中创建闭包。这允许您创建一个新函数来反转参数顺序,然后调用原始函数:

>>> from functools import wraps
>>> def flip(func):
        'Create a new function from the original with the arguments reversed'
        @wraps(func)
        def newfunc(*args):
            return func(*args[::-1])
        return newfunc

>>> def divide(a, b):
        return a / b

>>> new_divide = flip(divide)
>>> new_divide(30.0, 10.0)
0.3333333333333333

答案 1 :(得分:11)

以纯粹的功能风格:

flip = lambda f: lambda *a: f(*reversed(a))

def divide(a, b):
    return a / b

print flip(divide)(3.0, 1.0)

更有趣的例子:

unreplace = lambda s: flip(s.replace)

replacements = ['abc', 'XYZ']
a = 'abc123'
b = a.replace(*replacements)
print b
print unreplace(b)(*replacements) # or just flip(b.replace)(*replacements)