题目
给你一个包含 n 个整数的数组 nums,判断 nums 中是否存在三个元素 a,b,c ,使得 a + b + c = 0
?请你找出所有和为 0 且不重复的三元组。注意:答案中不可以包含重复的三元组。
来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/3sum
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
官方题解
class Solution {
public:
vector<vector<int>> threeSum(vector<int>& nums) {
int n = nums.size();
sort(nums.begin(), nums.end());
vector<vector<int>> ans;
// 枚举 a
for (int first = 0; first < n; ++first) {
// 需要和上一次枚举的数不相同
if (first > 0 && nums[first] == nums[first - 1]) {
continue;
}
// c 对应的指针初始指向数组的最右端
int third = n - 1;
int target = -nums[first];
// 枚举 b
for (int second = first + 1; second < n; ++second) {
// 需要和上一次枚举的数不相同
if (second > first + 1 && nums[second] == nums[second - 1]) {
continue;
}
// 需要保证 b 的指针在 c 的指针的左侧
while (second < third && nums[second] + nums[third] > target) {
--third;
}
// 如果指针重合,随着 b 后续的增加
// 就不会有满足 a+b+c=0 并且 b<c 的 c 了,可以退出循环
if (second == third) {
break;
}
if (nums[second] + nums[third] == target) {
ans.push_back({nums[first], nums[second], nums[third]});
}
}
}
return ans;
}
};
作者:LeetCode-Solution
链接:https://leetcode-cn.com/problems/3sum/solution/san-shu-zhi-he-by-leetcode-solution/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。
思考
第二重循环的优化实现:
本来就是三重循环,百钱百鸡问题,现在是优化第二重循环
a+b+c = 0
排好序的数组 -2 - 1 0 3 4 5 5 5 6 8 9
第一重循环:确定a
第二重循环:确定b,b的限定条件是从a的下一个开始
这里的优化具体是说b是从a的下一个开始,而c不需要再从b的下一个开始,而是从数组中最大的元素开始,因为当b增大时,根据a+b+c = 0得,c应该是减小的,所以可以想象成两个人从起点和终点向中点走这种感觉,b从a+1即目前有的最小值开始增,c从数组中的最大值开始减小,降低时间复杂度。
收获
ans.push_back({nums[first], nums[second], nums[third]})
容器按数组添加vector<vector<int>> ans;
二维数组sort(nums.begin(), nums.end());
直接排序- 循环的条件差个1就最后结果差远了