There are two parts to recursion:
You have probably seen the factorial function before. It is defined for all integers greater or equal to zero:
factorial( 0 ) = 1
factorial( N ) = N * factorial( N-1 )
For example,
factorial( 5 ) = 5 * factorial( 4 )
               = 5 * ( 4 * factorial( 3 ) )
               = 5 * ( 4 * (3 * factorial( 2 ) ) )
               
               = 5 * ( 4 * (3 * (2 * factorial( 1 ) ) ) ) 
               
               = 5 * ( 4 * (3 * (2 * ( 1 * factorial( 0 ) ) ) ) )
               
               = 5 * ( 4 * (3 * (2 * ( 1 * 1 ) ) ) )
               
               = 5 * 4 * 3 * 2 * 1 * 1
               
               = 120
Often factorial(N) is written N!
Examine the definition and check that it includes the two parts of a recursive definition.
What is the base case in this definition?