Python Program for GCD of more than two (or array) numbers

Created with Sketch.

Python Program for GCD of more than two (or array) numbers

The GCD of three or more numbers equals the product of the prime factors common to all the numbers, but it can also be calculated by repeatedly taking the GCDs of pairs of numbers.

gcd(a, b, c) = gcd(a, gcd(b, c)) 
             = gcd(gcd(a, b), c) 
             = gcd(gcd(a, c), b)
# GCD of more than two (or array) numbers
# This function implements the Euclidian 
# algorithm to find H.C.F. of two number
 
def find_gcd(x, y):
    while(y):
        x, y = y, x % y
 
    return x
     
     
l = [2, 4, 6, 8, 16]
 
num1=l[0]
num2=l[1]
gcd=find_gcd(num1,num2)
 
for i in range(2,len(l)):
    gcd=find_gcd(gcd,l[i])
     
print(gcd)
 

Output:

2

Leave a Reply

Your email address will not be published. Required fields are marked *