Instagram
youtube
Facebook
Twitter

Calculate Factorial Using Iterative Method

A Python program to compute the factorial of a number using an iterative approach.

Step-by-Step Explanation in Points:

  1. Function Definition (factorial(num))
     
    • A function is created to calculate the factorial of a number.
       
  2. Initialize Factorial Variable (factorial_number = 1)
     
    • A variable factorial_number is set to 1 to store the result.
       
  3. Loop from 1 to num (inclusive)
     
    • Use for i in range(1, num + 1).
       
    • Iterates through all numbers from 1 to num.
       
  4. Multiply in Each Iteration
     
    • Multiply factorial_number by i in each loop iteration.
       
    • This accumulates the factorial value.
       
  5. Return the Final Result
     
    • After the loop ends, return factorial_number.
       
  6. User Input (num)
     
    • Take input from the user and convert it to an integer.
       
  7. Call the Function & Print the Result
     
    • Call factorial(num) and print the calculated factorial.

 

Program:

def factorial(num):

    factorial_number = 1

    for i in range(1, num + 1):

        factorial_number *= i

    return factorial_number



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

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