Python/maths/greater_common_divisor.py

26 lines
589 B
Python
Raw Normal View History

"""
Greater Common Divisor.
Wikipedia reference: https://en.wikipedia.org/wiki/Greatest_common_divisor
"""
2018-10-19 12:48:28 +00:00
def gcd(a, b):
"""Calculate Greater Common Divisor (GCD)."""
2018-10-19 12:48:28 +00:00
return b if a == 0 else gcd(b % a, a)
2018-10-19 12:48:28 +00:00
def main():
"""Call GCD Function."""
2018-10-19 12:48:28 +00:00
try:
nums = input("Enter two Integers separated by comma (,): ").split(',')
num_1 = int(nums[0])
num_2 = int(nums[1])
2018-10-19 12:48:28 +00:00
except (IndexError, UnboundLocalError, ValueError):
print("Wrong Input")
print(f"gcd({num_1}, {num_2}) = {gcd(num_1, num_2)}")
2018-10-19 12:48:28 +00:00
if __name__ == '__main__':
main()