一、题目描述
给你一个整数数组 nums
,判断是否存在三元组 [nums[i], nums[j], nums[k]]
满足 i != j
、i != k
且 j != k
,同时还满足 nums[i] + nums[j] + nums[k] == 0
。请
你返回所有和为 0
且不重复的三元组。
注意:答案中不可以包含重复的三元组。
二、代码实现
class Solution {
public:
vector<vector<int>> threeSum(vector<int>& nums) {
sort(nums.begin(), nums.end());
// auto loc = unique(nums.begin(), nums.end());
// nums.erase(loc, nums.end());
vector<vector<int>> res;
int len = nums.size();
int first, second, third, target;
for(first = 0; first < len; first++)
{
if(first > 0 && nums[first] == nums[first-1])
continue;
target = -nums[first];
second = first+1;
third = len - 1;
while(second < third)
{
int sum = nums[second] + nums[third];
if(sum == target)
{
res.push_back({nums[first], nums[second], nums[third]});
while(second < third && nums[second] == nums[second+1])
second++;
second++;
while(second < third && nums[third] == nums[third-1])
third--;
third--;
}
else if(sum < target)
second++;
else
third--;
}
}
return res;
}
};
//双指针法的一个关键就是,根据不同的情况移动左右指针。
//排个序
//取个重
//固定首元素,对后续元素使用两数之和使其值为负的首元素