Instagram
youtube
Facebook
Twitter

Find GCD of Two Numbers Using Recursion

A Python program to compute the Greatest Common Divisor (GCD) of two numbers using recursion and the Euclidean algorithm.

Code Explanation in Short Points

  1. Function Definition (gcd(a, b))
     
    • A recursive function to calculate the Greatest Common Divisor (GCD).
       
  2. Base Case (if b == 0)
     
    • If b == 0, return a as the GCD.
       
  3. Recursive Case (gcd(b, a % b))
     
    • Call the function again with gcd(b, a % b).
       
    • This process continues until b becomes 0.
       
  4. User Input (num1 and num2)
     
    • Takes two numbers from the user using input().
       
  5. Function Call (gcd(num1, num2))
     
    • Calls the function and prints the result.

 

Program:

def gcd(a, b):

    if b == 0:

        return a

    else:

        return gcd(b, a % b)

num1 = int(input("Enter first number: "))

num2 = int(input("Enter second number: "))

print(f"GCD of {num1} and {num2} is {gcd(num1, num2)}")