给定一个非负整数 c ,你要判断是否存在两个整数 a 和 b,使得 a2 + b2 = c。
示例1:
输入: 5
输出: True
解释: 1 * 1 + 2 * 2 = 5
示例2:
输入: 3
输出: False
题解:
- 自己思路,从0循环到sqrt©
- 大佬思路,费马平方和定理,一个非负整数 cc 能够表示为两个整数的平方和,当且仅当 cc 的所有形如 4k+34k+3 的质因子的幂次均为偶数。
自己思路
时间和内存消耗为:
代码:
class Solution {
public boolean judgeSquareSum(int c) {
if(c<=1){
return true;
}
for(int i=0;i<=(int)Math.sqrt(c);i++){
double x=Math.sqrt(c-i*i);
if((x-(int)x)==0.0){
return true;
}
}
return false;
}
}
大佬思路复现
时间和内存消耗为:
代码为:
class Solution {
//一个非负整数 c 能够表示为两个整数的平方和,当且仅当 c 的所有形如 4k+3 的质因子的幂次均为偶数。
public boolean judgeSquareSum(int c) {
for(int i=2;i*i<c;i++){
int count=0;//记录幂次
if(c%i==0){
while(c%i==0){
count++;
c=c/i;
}
if(count%2!=0&&i%4==3){
return false;
}
}
}
return c%4!=3;
}
}