15. 三数之和
可阿奇 2024/4/22 算法
题目链接:15. 三数之和 (opens new window)
后边的18. 四数之和 (opens new window)和此题类似,是双指针的经典应用。都是先确定三/四个数中的一/两个,然后用双指针慢慢逼近目标值。这个的前提是数组排序过,代码如下,重要部分有注释。
class Solution {
public List<List<Integer>> threeSum(int[] nums) {
ArrayList<List<Integer>> res = new ArrayList<List<Integer>>();
Arrays.sort(nums);
for (int i = 0; i < nums.length - 2; i++) {
//一个数就已经大于0了,后边会比nums[i]更大且为正,三个数之和肯定大于0,就可以不用考虑后边的了
if (nums[i] > 0)
break;
int l = i + 1;
int r = nums.length - 1;
//这步是对nums[i]去重
if (i > 0 && nums[i] == nums[i - 1])
continue;
while (l < r) {
if (nums[i] + nums[l] + nums[r] == 0) {
res.add(new ArrayList<Integer>(Arrays.asList(nums[i], nums[l], nums[r])));
//对nums[l], nums[r]去重
while (l < r && nums[l] == nums[l + 1])
l++;
while (l < r && nums[r] == nums[r - 1])
r--;
l++;r--;
} else if (nums[i] + nums[l] + nums[r] > 0) {
r--;
} else {
l++;
}
}
}
return res;
}
}