平方数之和

题目

力扣

给定一个非负整数 c ,你要判断是否存在两个整数 ab,使得 a^2 + b^2 = c

示例

示例 1:

1
2
3
输入:c = 5
输出:true
解释:1 * 1 + 2 * 2 = 5

示例 2:

1
2
输入:c = 3
输出:false

题解

可以看成是在元素为 0~target 的有序数组中查找两个数,使得这两个数的平方和为 target,如果能找到,则返回 true,表示 target 是两个整数的平方和。

本题和 167. Two Sum II - Input array is sorted 类似,只有一个明显区别:一个是和为 target,一个是平方和为 target。本题同样可以使用双指针得到两个数,使其平方和为 target。

本题的关键是右指针的初始化,实现剪枝,从而降低时间复杂度。设右指针为 x,左指针固定为 0,为了使 02 + x2 的值尽可能接近 target,我们可以将 x 取为 sqrt(target)。

因为最多只需要遍历一次 0~sqrt(target),所以时间复杂度为 O(sqrt(target))。又因为只使用了两个额外的变量,因此空间复杂度为 O(1)。

代码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
public class JudgeSquareSum {
public static void main(String[] args) {
System.out.println(judgeSquareSum(2));
}
public static boolean judgeSquareSum(int c) {
//非负整数
if (c < 0){
return false;
}
//左指针
long i = 0;
//右指针,目标开平方
long j = (long) Math.sqrt(c);
while (i <= j){
long powSum = i * i + j * j;
if (powSum == c){
return true;
}else if (powSum > c){
j--;
}else {
i++;
}
}
return false;
}
}

平方数之和
https://tomysmith.top/judge-square-sum/
作者
Plua Htims
发布于
2023年11月26日
许可协议