c语言:判断满足条件的三位数:编写一个函数,利用参数传入一个3位数n, 找出 101~n 间所有满足下列两个条件的数:它是完全平方数,又有两位数字相同,如 144、676 等,函 数返回找出这样的数据的个数。试编写相应程序。
时间: 2024-02-24 16:58:35 浏览: 130
以下是C语言的实现代码:
```c
#include <stdio.h>
#include <math.h>
int findNumbers(int n) {
int count = 0;
for (int i = 101; i <= n; i++) {
int firstDigit = i / 100;
int secondDigit = (i / 10) % 10;
int thirdDigit = i % 10;
if (firstDigit == secondDigit || firstDigit == thirdDigit || secondDigit == thirdDigit) {
int squareRoot = sqrt(i);
if (squareRoot * squareRoot == i) {
count++;
}
}
}
return count;
}
int main() {
int n;
printf("请输入一个大于等于101的三位数:");
scanf("%d", &n);
int count = findNumbers(n);
printf("101~%d间满足条件的数的个数为:%d\n", n, count);
return 0;
}
```
解析:
1. 首先定义一个函数 `findNumbers`,参数为 `n`,表示要查找的范围;
2. 在函数中使用循环遍历 101 到 `n` 之间的数字;
3. 定义三个变量 `firstDigit`、`secondDigit` 和 `thirdDigit`,分别表示该数字的百位、十位和个位;
4. 判断该数字是否满足两位数字相同的条件,如果满足,则计算该数字的平方根,判断是否为完全平方数;
5. 如果是完全平方数,则将计数器 `count` 加 1;
6. 最后返回计数器 `count`;
7. 在 `main` 函数中,先读入要查找的范围 `n`,然后调用 `findNumbers` 函数计算满足条件的数的个数,并输出结果。
注意:本题中要求的是两位数字相同,所以在判断时需要使用或运算符 `||`。
阅读全文