c语言编写两个函数 int gys(int x,int y)和 int gbs(int x,int y),分别求两个整数的最 大公约数和最小公倍数
时间: 2023-12-11 21:04:53 浏览: 212
php计算两个整数的最大公约数常用算法小结
好的,我可以帮你编写这两个函数。以下是函数的代码:
```
// 求两个整数的最大公约数
int gys(int x, int y) {
int r;
while (y > 0) {
r = x % y;
x = y;
y = r;
}
return x;
}
// 求两个整数的最小公倍数
int gbs(int x, int y) {
return x * y / gys(x, y);
}
```
函数gys使用了辗转相除法来求两个整数的最大公约数,而函数gbs则利用最大公约数求出最小公倍数。这两个函数都可以通过传入两个整数参数x和y来进行调用,例如:
```
int a = 12, b = 18;
int gcd = gys(a, b);
int lcm = gbs(a, b);
printf("The greatest common divisor of %d and %d is %d\n", a, b, gcd);
printf("The least common multiple of %d and %d is %d\n", a, b, lcm);
```
输出结果为:
```
The greatest common divisor of 12 and 18 is 6
The least common multiple of 12 and 18 is 36
```
希望这能够帮助到你。
阅读全文