PTA-93 水仙花数

水仙花数是指一个N位正整数(N≥3),它的每个位上的数字的N次幂之和等于它本身。例如:153=13+53+33。 本题要求编写程序,计算所有N位水仙花数。

输入格式:

输入在一行中给出一个正整数N(3≤N≤7)。

输出格式:

按递增顺序输出所有N位水仙花数,每个数字占一行。

输入样例:

3

结尾无空行

输出样例:

153
370
371
407

结尾无空行

#include
#include
int main()
{
	int n;
	scanf("%d",&n);//n>=3
	
	int a,b;
	a=pow(10,n-1);
	b=pow(10,n)-1;//a,b为数字的区间 
	int i;
	for(i=a;i<=b;i++)
	{
		int j=i;
		int sum=0;//while循环后sum不为0,需重新给定 
		while(j>0)
		{
			sum=sum+pow(j%10,n);
			j /=10;
		}
		if(sum==i)
		{
			printf("%d\n",i);
		}
	}
	return 0;
}

结果超时

PTA-93 水仙花数_第1张图片

 查看他人编写代码,主要原因: 

循环每次都要进行一次pow的计算

进行调整后如下

#include
#include
int main()
{
	int n;
	scanf("%d",&n);//n>=3
	
	int a,b;
	a=pow(10,n-1);
	b=pow(10,n)-1;//a,b为数字的区间 
	
	int s[10],k;
	for(k=0;k<10;k++)
	{
		s[k]=pow(k,n);//定义此数组中存储有1-9的n次方,这样可以直接调用 
	} 
	
	int i;
	for(i=a;i<=b;i++)
	{
		int j=i;
		int sum=0;//while循环后sum不为0,需重新给定 
		while(j>0)
		{
			sum=sum+s[j%10];
			j /=10;
		}
		if(sum==i)
		{
			printf("%d\n",i);
		}
	}
	return 0;
}

结果正确 

PTA-93 水仙花数_第2张图片

 

你可能感兴趣的:(PTA习题,c语言)