用python输入两个正整数a和b,调用函数gcd求a和b最大公约数
时间: 2024-03-05 11:52:19 浏览: 78
可以使用Python内置的math库中的gcd函数,也可以自己实现一个gcd函数,如下所示:
使用math库中的gcd函数:
```
import math
a = int(input("Enter the first positive integer: "))
b = int(input("Enter the second positive integer: "))
result = math.gcd(a, b)
print("GCD of", a, "and", b, "is", result)
```
自己实现一个gcd函数:
```
def gcd(a, b):
while b:
a, b = b, a % b
return a
a = int(input("Enter the first positive integer: "))
b = int(input("Enter the second positive integer: "))
result = gcd(a, b)
print("GCD of", a, "and", b, "is", result)
```
相关问题
用python输入两个正整数a和b,调用函数gcd求a和b最大公约数,以下代码段不完整,请补充空缺处,使程序能正确完成上述功能。
```
def gcd(a, b):
while b:
a, b = b, a % b
return a
a = int(input("Enter the first positive integer: "))
b = int(input("Enter the second positive integer: "))
result = gcd(a, b)
print("GCD of", a, "and", b, "is", result)
```
输入两个正整数a和b,调用函数gcd求a和b最大公约数
可以使用辗转相除法求解两个正整数的最大公约数,辗转相除法的基本思想是用较小数除较大数,再用余数去除除数,如此反复,直到余数为零为止,而最后的除数就是这两个数的最大公约数。
以下是使用 Python 实现的代码:
```python
def gcd(a, b):
while b != 0:
a, b = b, a % b
return a
```
函数 `gcd` 接受两个参数 `a` 和 `b`,并在循环中执行辗转相除法,最终返回最大公约数 `a`。
阅读全文