Python recursive functions

Updated on Jan 07, 2020


When a function call itself is knows as recursion. Recursion works like loop but sometimes it makes more sense to use recursion than loop. You can convert any loop to recursion.

Here is how recursion works. A recursive function calls itself. As you you'd imagine such a process would repeat indefinitely if not stopped by some condition. This condition is known as base condition. A base condition is must in every recursive programs otherwise it will continue to execute forever like an infinite loop.

Overview of how recursive function works:

  1. Recursive function is called by some external code.
  2. If the base condition is met then the program do something meaningful and exits.
  3. Otherwise, function does some required processing and then call itself to continue recursion. Here is an example of recursive function used to calculate factorial.

Factorial is denoted by number followed by (!) sign i.e 4!.

For e.g:

1
2
3
4! = 4 * 3 * 2 * 1
2! = 2 * 1
0! = 1

Here is an example

1
2
3
4
5
6
7
8
9
def fact(n):
    if n == 0:
        return 1
    else:
        return n * fact(n-1)


print(fact(0))
print(fact(5))

Expected Output:

1
2
1
120
def fact(n):
    if n == 0:
        return 1
    else:
        return n * fact(n-1)


print(fact(0))
print(fact(5))


Now try to execute the above function like this:

print(fact(2000))

You will get:

RuntimeError: maximum recursion depth exceeded in comparison

This happens because python stop calling recursive function after 1000 calls by default. To change this behavior you need to amend the code as follows.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
import sys
sys.setrecursionlimit(3000)

def fact(n):
    if n == 0:
        return 1
    else:
        return n * fact(n-1)


print(fact(2000))
import sys
sys.setrecursionlimit(3000)

def fact(n):
    if n == 0:
        return 1
    else:
        return n * fact(n-1)


print(fact(2000))



Other Tutorials (Sponsors)