You are here

One more example

4 September, 2015 - 14:04

After factorial, the most common example of a recursively defined mathematical function is fibonacci, which has the following definition (see http://en.wikipedia.org/ wiki/Fibonacci_number):):

            fibonacci(0)=  0 
            fibonacci(1)=  1 
            fibonacci(n)= fibonacci(n − 1)+ fibonacci(n − 2) 

Translated into Python, it looks like this:

def fibonacci (n):
    if n == 0:
        return 0
    elif n == 1:
        return 1
    else:
        return fibonacci(n-1) + fibonacci(n-2)

If you try to follow the flow of execution here, even for fairly small values of n, your head explodes. But according to the leap of faith, if you assume that the two recursive calls work correctly, then it is clear that you get the right result by adding them together.