我想在python就是喜欢写一个函数:
def repeated(f, n):
...
其中f
是一个函数,它有一个参数和n
是一个正整数。
例如,如果我定义平方为:
def square(x):
return x * x
我打电话
repeated(square, 2)(3)
这将方3,2次。
我想在python就是喜欢写一个函数:
def repeated(f, n):
...
其中f
是一个函数,它有一个参数和n
是一个正整数。
例如,如果我定义平方为:
def square(x):
return x * x
我打电话
repeated(square, 2)(3)
这将方3,2次。
应该这样做:
def repeated(f, n):
def rfun(p):
return reduce(lambda x, _: f(x), xrange(n), p)
return rfun
def square(x):
print "square(%d)" % x
return x * x
print repeated(square, 5)(3)
输出:
square(3)
square(9)
square(81)
square(6561)
square(43046721)
1853020188851841
或lambda
稀少?
def repeated(f, n):
def rfun(p):
acc = p
for _ in xrange(n):
acc = f(acc)
return acc
return rfun
使用reduce
和兰巴。 构建起与您的参数元组,其次是你要调用的所有功能:
>>> path = "/a/b/c/d/e/f"
>>> reduce(lambda val,func: func(val), (path,) + (os.path.dirname,) * 3)
"/a/b/c"
像这样的事情?
def repeat(f, n):
if n==0:
return (lambda x: x)
return (lambda x: f (repeat(f, n-1)(x)))
我想你想要的功能组成:
def compose(f, x, n):
if n == 0:
return x
return compose(f, f(x), n - 1)
def square(x):
return pow(x, 2)
y = compose(square, 3, 2)
print y
下面是一个使用配方reduce
:
def power(f, p, myapply = lambda init, g:g(init)):
ff = (f,)*p # tuple of length p containing only f in each slot
return lambda x:reduce(myapply, ff, x)
def square(x):
return x * x
power(square, 2)(3)
#=> 81
我把这种power
,因为这是字面上的幂函数做什么,与组合物替代乘法。
(f,)*p
创建一个长度的一个元组p
填充f
在每一个索引。 如果你想获得幻想,你可以使用一个发电机来产生这样的序列(见itertools
) -但请注意这将有拉姆达内创建。
myapply
在参数列表,以便它只创建一次定义。
使用减少和itertools.repeat(如马辛建议):
from itertools import repeat
from functools import reduce # necessary for python3
def repeated(func, n):
def apply(x, f):
return f(x)
def ret(x):
return reduce(apply, repeat(func, n), x)
return ret
您可以按如下方式使用它:
>>> repeated(os.path.dirname, 3)('/a/b/c/d/e/f')
'/a/b/c'
>>> repeated(square, 5)(3)
1853020188851841
(后导入os
或限定square
分别)
有一个叫做itertools配方repeatfunc
执行此操作。
从itertools食谱 :
def repeatfunc(func, times=None, *args):
"""Repeat calls to func with specified arguments.
Example: repeatfunc(random.random)
"""
if times is None:
return starmap(func, repeat(args))
return starmap(func, repeat(args, times))
我使用的是第三方库, more_itertools
,它可以方便地实现这些食谱(可选):
import more_itertools as mit
list(mit.repeatfunc(square, 2, 3))
# [9, 9]