43.5k views
1 vote
Write a program to calculate HCF and LCM of two numbers.

User Lizzy
by
8.5k points

2 Answers

2 votes

In what language would you like it written? I will give you a python version:

def calculate_hcf(x, y):

while y:

x, y = y, x % y

return x

def calculate_lcm(x, y):

lcm = (x * y) // calculate_hcf(x, y)

return lcm

# Taking input from the user

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

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

# Calculating and displaying the HCF and LCM

hcf_result = calculate_hcf(num1, num2)

lcm_result = calculate_lcm(num1, num2)

print(f"The HCF of {num1} and {num2} is: {hcf_result}")

print(f"The LCM of {num1} and {num2} is: {lcm_result}")

User Rosalina
by
7.1k points
2 votes

Final answer:

The question is about writing a program to calculate the Highest Common Factor (HCF) and the Least Common Multiple (LCM) of two numbers. A Python program using the Euclidean algorithm to find the HCF and a formula to find the LCM is demonstrated.

Step-by-step explanation:

To calculate the Highest Common Factor (HCF) and the Least Common Multiple (LCM) of two numbers, you can write a program using a popular programming language like Python. HCF is the largest number that divides both numbers, while LCM is the smallest number that is a multiple of both numbers.

Python Program to Calculate HCF and LCM

To find the HCF, you can use the Euclidean algorithm, which involves taking the remainder of the two numbers recursively until it becomes zero. The number at which the remainder becomes zero is the HCF. To calculate the LCM, you can use the formula LCM(a, b) = (a*b) / HCF(a, b).

Here is an example of such a program in Python:

def compute_hcf(x, y):
while(y):
x, y = y, x % y
return x

def compute_lcm(x, y):
hcf = compute_hcf(x, y)
return (x*y) // hcf

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

hcf = compute_hcf(num1, num2)
lcm = compute_lcm(num1, num2)

print("The HCF is", hcf)
print("The LCM is", lcm)

Run this program and enter the two numbers when prompted to get their HCF and LCM. Remember, it's crucial to understand the math behind these concepts to accurately write and explain the code.

User Lily Mara
by
8.0k points