Haskell无限递归

时间:2016-05-15 20:03:30

标签: haskell recursion

以下函数计算Fibonacci序列:

fib = 0 : 1 : (zipWith (+) fib (tail fib))

如果我们运行它,我们将得到一个无限列表,但递归如何工作?如果该功能一直在调用,为什么它会在屏幕上打印数字呢?如果您能解释编译器如何管理调用,我将不胜感激。

2 个答案:

答案 0 :(得分:4)

我画了一张你可能会觉得有帮助的照片 请注意zipWtih op (x:xs) (y:xs) = (op x y):zipWith xs yszipWtih似乎在列表中“移动”的方式。它是阅读元素并吐出总和:

pic with coloured pointers

这是一个更详细的逐步评估。 (虽然我会粘贴那些内容的副本,但内存中只有一个副本。)我会使用....来解决我不能写的问题。

fib = 0:1:zipWith (+) fib (tail fib)
    = 0:1:zipWith (+) (0:1: .... ) (tail (0:1: .... )
    = 0:1:(0+1:zipWith (+) (1:(0+1: .... )) ( 0+1:..... ))
    = 0:1:1:zipWith (+) (1: ....) (......)

请注意,现在我们知道zipWith (+) fib (tail fib) = 1:.....

    = 0:1:1:zipWith (+) (1:1: ....) (1:......)
    = 0:1:1:(1+1):zipWith (+) (1:(1+1): .....) ((1+1):....)
    = 0:1:1:2:zipWith (+) (1:2: .....) (2:....)

我会快一点:

    = 0:1:1:2:(1+2):zipWith (+) (2: .....) (....)
    = 0:1:1:2:3     :zipWith (+) (2:3 .....) (3:....)
    = 0:1:1:2:3:(2+3):zipWith (+) (3:(2+3):.....) ((2+3):.....)
    = 0:1:1:2:3:5     :zipWith (+) (3:5:.....) (5:.....)
    = 0:1:1:2:3:5:8    :zipWith (+) (5:8:....) (8:......)
    = 0:1:1:2:3:5:8:13  :zipWith (+) (8:13:....) (13:......)
    = 0:1:1:2:3:5:8:13:21:zipWith (+) (13:21....) (21:......)

在每个阶段,zipWith函数的最后两个参数就像指向({1}}列表中的(一个和两个位置)指针,而不是我们目前。

答案 1 :(得分:3)

总之一句话:懒惰。 Haskell中的列表更像是一个生成器:它只会在需要其他东西时计算值。

例如head [1 , 2+3]不会执行添加,因为不需要。同样,如果我们以递归方式提出ones = 1 : ones,则head ones = head (1 : ones) = 1不需要评估所有尾部。

您可以尝试猜测如果我们打印一对x会发生什么,定义如下:

x = (n, fst x + 1)

上面我们使用(懒)对而不是(懒)列表,但推理是相同的。除非其他东西需要,否则不要评估任何东西。