top of page
learn_data_science.jpg

Data Scientist Program

 

Free Online Data Science Training for Complete Beginners.
 


No prior coding knowledge required!

Calculating Highest Common Factor using Python



The HCF (Highest Common Factor) of two or more numbers is the highest number among all the common factors of the given numbers.

The properties of HCF are given below.

  • HCF of two or more numbers divides each of the numbers without a remainder.

  • HCF of two or more numbers is a factor of each of the numbers.

  • HCF of two or more numbers is always less than or equal to each of the numbers.

  • HCF of two or more prime numbers is 1 always


def hcf(a, b):
    if a > b:
        smaller = b
    else:
        smaller = a

    for i in range(1, smaller+1):
        if a % i == 0 and b % i == 0:
            ans = i
    print(ans)

hcf(15, 30)


First Part
def hcf(a, b):
    if a > b:
        smaller = b
    else:
        smaller = a

Here we define a function "hcf" which have two parameters. Firstly we found a smaller number between a & b. Because the highest common factor is never bigger than a smaller number.


second Part
for i in range(1, smaller+1):
        if a % i == 0 and b % i == 0:
            ans = i
    print(ans)

hcf(15, 30)

We run a for loop 1 to the smaller number and mod the two given numbers. And when we mod the two numbers and found the value zero then we update the "ans" value.


Theoretically,
15 = 1 , 3, 5, 15
30 = 1, 3, 5, 6, 10, 15, 30
Here the common factors are 1, 3, 5, 15
And the highest is 15.

0 comments

Recent Posts

See All
bottom of page