在C语言中,要判断一个数(我们称之为num
)是否为另一个数(我们称之为factor
)的因子,可以使用取模运算符(%)
#include<stdio.h>
#include <stdbool.h>
bool is_factor(int num, int factor) {
if (factor % num == 0) {
return true;
} else {
return false;
}
}
int main() {
int num, factor;
printf("Enter the number to be checked: ");
scanf("%d", &num);
printf("Enter the potential factor: ");
scanf("%d", &factor);
if (is_factor(num, factor)) {
printf("%d is a factor of %d\n", num, factor);
} else {
printf("%d is not a factor of %d\n", num, factor);
}
return 0;
}
这段代码首先定义了一个名为is_factor
的函数,该函数接受两个整数参数num
和factor
。如果factor
能被num
整除(即factor % num == 0
),则返回true
,表示num
是factor
的因子;否则返回false
。
在main
函数中,我们从用户那里获取两个整数,并调用is_factor
函数来判断它们是否满足因子关系。根据函数的返回值,我们输出相应的结果。