Instagram
youtube
Facebook
Twitter

Calculate Factorial Using Recursion

A Python program to compute the factorial of a number using recursion.

Explanation in Points:

  1. Function Definition:
     
    • factorial(n) is defined to calculate the factorial using recursion.
       
  2. Base Case Check:
     
    • If n == 0 or n == 1, return 1 (factorial of 0 and 1 is always 1).
       
  3. Recursive Case:
     
    • Returns n * factorial(n - 1), repeatedly calling itself.
       
  4. User Input:
     
    • Takes a number (num) as input and converts it to an integer.
       
  5. Function Call & Output:
     
    • Calls factorial(num) and prints the result.
       
  6. Recursive Execution:
     
    • The function continues calling itself until n == 1, then returns the computed factorial step-by-step.

 

Program:

def factorial(n):

    if n == 0 or n == 1:

        return 1  

    else:

        return n * factorial(n - 1)  



num = int(input("Enter a number: "))  

print(f"Factorial of {num} is:", factorial(num))