编写函数计算两个正整数的最小公倍数( Least Common Multiple , LCM ),函数原型如下:/*函数功能:计算 a 和 b 的最小公倍数,当 a 或者 b 为非正整数时返回﹣1*/ int Lcm ( int a , int b ); 然后在主函数中调用该函数计算并输出从键盘任意输入的两整数的最小公倍数。林提示信息:" Input a , b :" *输入格式要求:"% d ,% d " *输出格式要求:" Least Common Multiple of % d and % d is % d \ n " " Input error !\ n "(输入0或负数时输出) 程序运行示例1如下: Input a , b :16,24 Least Common Multiple of 16 and 24 is 48 程序运行示例2如下: Input a , b :0,24 Input error ! 注:不允许使用 goto 语句
时间: 2023-06-17 17:06:45 浏览: 163
计算两个数的最小公倍数(LCM)
下面是实现该函数的代码:
```c
#include <stdio.h>
int gcd(int a, int b) { // 辅助函数,计算最大公约数
if (b == 0) {
return a;
}
return gcd(b, a % b);
}
int Lcm(int a, int b) {
if (a <= 0 || b <= 0) { // 输入错误
return -1;
}
return a / gcd(a, b) * b; // 最小公倍数公式
}
int main() {
int a, b, lcm;
printf("Input a, b:");
scanf("%d,%d", &a, &b);
lcm = Lcm(a, b);
if (lcm == -1) {
printf("Input error!\n");
} else {
printf("Least Common Multiple of %d and %d is %d\n", a, b, lcm);
}
return 0;
}
```
主要思路是先实现一个辅助函数 `gcd`,用于计算最大公约数。然后在最小公倍数函数 `Lcm` 中判断输入是否合法,若输入不合法则返回 -1。否则,使用最小公倍数公式计算最小公倍数。最后在主函数中调用 `Lcm` 函数,输出结果。
阅读全文