PAT A1059 Prime Factors

Given any positive integer N, you are supposed to find all of its prime factors, and write them in the format N = p​1​​​k​1​​​​×p​2​​​k​2​​​​×⋯×p​m​​​k​m​​​​.

Input Specification:

Each input file contains one test case which gives a positive integer N in the range of long int.

Output Specification:

Factor N in the format N = p​1​​^k​1​​*p​2​​^k​2​​**p​m​​^k​m​​, where p​i​​'s are prime factors of N in increasing order, and the exponent k​i​​ is the number of p​i​​ -- hence when there is only one p​i​​, k​i​​ is 1 and must NOT be printed out.

Sample Input:

97532468

Sample Output:

97532468=2^2*11*17*101*1291

法一(埃氏筛法):

//PAT A1059 Prime Factors
#include
#include
const int maxn=100010; //此处数不能太大,否则会运行超时 
int prime[maxn],num=0;//数组prime[]用来存放素数,num表示素数的个数 
bool p[maxn]={0};  //埃氏筛法,p[i]=false表示i是素数 
void Find_Prime()//产生素数表 
{
	for(int i=2;i1)
//				printf("^%d",fac[i].cnt); (法二)
			if(fac[i].cnt>1)
			{
				printf("%d^%d",fac[i].x,fac[i].cnt);
			}else{
				printf("%d",fac[i].x);
			}
			if(i!=pnum-1) printf("*");
			
		}
	}
	return 0;
} 

 注意:

  1. const int maxn=100010; //此处数不能太大,否则会运行超时    错误想法认为maxn一定要比测试用例输入的n=97532468要大,其实不是的,我们只需获取一部分素数表就可以了,因为获得质因子只需在小于\sqrt{n}的范围内找
  2.     if(n==1) printf("1=1");//注意注意,此处是特判 
  3.     pnum++;//另一个质因子,一定要放在while外,if内 
  4. fac[pnum++].cnt=1; //此处一定要写pnum++,否则会输出不了结果,因为在下面for中i
//一般做法
#include
#include
const int maxn=10010;
int prime[maxn],num=0;
bool isPrime(int n)
{
	if(n==1) return false;
	int sqr=(int)sqrt(1.0*n);
	for(int i=2;i<=sqr;i++)
	{
		if(n%i==0) return false;
	}
	return true;
}
void Find_Prime()
{
	for(int i=2;i1)
			printf("^%d",fac[i].cnt); 
		}
	}
	return 0;
}

注意:

  1. 函数开头一定要先调用Find_Prime()函数呀!!!!!
  2. 码代码一定要细心呀,fac[pnum].cnt++;//fac[num].cnt++;错  ,把pnum写成num导致出错,而且把代码查了好几遍,才找到这个错误,这是太粗心了。

 

 

你可能感兴趣的:(PAT)