Ish*_*eck 2 python haskell higher-order-functions
我有以下代码:
import operator
def stagger(l, w):
if len(l)>=w:
return [tuple(l[0:w])]+stagger(l[1:], w)
return []
def pleat(f, l, w=2):
return map(lambda p: f(*p), stagger(l, w))
if __name__=="__main__":
print pleat(operator.add, range(10))
print pleat(lambda x, y, z: x*y/z, range(3, 13), 3)
print pleat(lambda x: "~%s~"%(x), range(10), 1)
print pleat(lambda a, b, x, y: a+b==x+y, [3, 2, 4, 1, 5, 0, 9, 9, 0], 4)
Run Code Online (Sandbox Code Playgroud)
重要部分:Pleat接受任何函数和任何序列,并将该序列中的第一批元素作为参数传递给接收函数.
有没有办法在Haskell中做到这一点,还是我在做梦?
下面的类型签名是可选的:
stagger :: [a] -> Int -> [[a]]
stagger l w
| length l >= w = take w l : stagger (tail l) w
| otherwise = []
pleat :: ([a] -> b) -> [a] -> Int -> [b]
pleat f l w = map f $ stagger l w
main = do
print $ pleat (\[x, y] -> x+y) [0..9] 2
print $ pleat (\[x, y, z] -> x*y/z) [3..12] 3
print $ pleat (\[x] -> "~" ++ show x ++ "~") [0..9] 1
print $ pleat (\[a, b, x, y] -> a+b == x+y) [3, 2, 4, 1, 5, 0, 9, 9, 0] 4
这个想法是该函数明确地将未知长度列表作为参数,因此它不是非常类型安全的.但它几乎是Python代码的一对一映射.