水仙花数是指一个N位正整数(N≥3),它的每个位上的数字的N次幂之和等于它本身 。 本题要求编写程序,计算所有N位水仙花数。 输入格式: 输入在一行中给出一个正整数N(3≤N≤7)。 输出格式: 按递增顺序输出所有N位水仙花数,每个数字占一行。
时间: 2024-10-01 08:12:50 浏览: 340
要编写一个C语言程序来找出所有的N位水仙花数,首先我们需要理解水仙花数的概念,即每一位数字的N次方之和等于原数本身。这里我们可以通过循环遍历所有可能的N位数,然后检查这个条件是否满足。下面是实现此功能的一个示例程序:
```c
#include <stdio.h>
// Function to check if a number is a narcissistic number (n-th power of its digits sum)
int isNarcissistic(int num, int n) {
int digitSum = 0;
while (num != 0) {
digitSum += pow(num % 10, n);
num /= 10;
}
return num == digitSum;
}
int main() {
int N;
// Read the value of N from user input
scanf("%d", &N);
printf("Narcissistic numbers for N = %d:\n", N);
// Iterate through all possible N-digit numbers and print those that are narcissistic
for (int i = 10^(N - 1); i <= 9 * (10^N - 1); i++) {
if (isNarcissistic(i, N)) {
printf("%d\n", i);
}
}
return 0;
}
```
在这个程序中,`isNarcissistic` 函数用于检查给定的数字 `num` 是否是水仙花数,它计算了每一位数字的 `n` 次方并求和,然后比较这个和是否等于原始数字。主函数则遍历从最小的N位数到最大的N位数,并打印出符合条件的水仙花数。
阅读全文