题目描述
原题链接:3Sum
Given an array S of n integers, are there elements a, b, c in S such that a + b + c = 0? Find all unique triplets in the array which gives the sum of zero.
Note: The solution set must not contain duplicate triplets.
For example, given array S = [-1, 0, 1, 2, -1, -4],
A solution set is:
[
[-1, 0, 1],
[-1, -1, 2]
]
解题思路
跟2Sum一样,先排一遍序,时间复杂度就至少是O(n lgn )了。
现在我要使 a+b+c = 0 ,我可以遍历一遍排序后的数组,对每一个nums[i],假设这里 a < b < c ,且 a = nums[i] ,也就是说要找出 b + c = 0 - a 。
那么b和c在哪里?因为数组是递增的,所以b和c肯定在nums[i] (也就是a)的右边。(因为已经假设 a 最小)那么对于数组中nums[i]右边的部分,可以采用双指针的思想,一个指针在最左边,一个指针在最右边,看看 b + c 是否等于 0 - a ,如果大了,那么右指针左移,如果小了,那么左指针右移,如果相等,则得到一个解。
还有一个重要的问题就是解的去重,因为我们规定了 a < b < c,所以只要保证所有解中 a和b不都相同就可以了。举个例子:
假如解集中已经有 { [ -3, 1, 2 ] , [ -4, 2, 2] }
代码还在跑,当遇到 a = -3 且 b = 1的情况就自动略过。因为数组是递增的,我只要检查跟前一个元素是否相等即可。
代码
class Solution {
public:
vector<vector<int>> threeSum(vector<int>& nums) {
sort(nums.begin(), nums.end());
vector<vector<int> > result;
if (nums.size() < 3)
return result;
for (int i = 0; i < nums.size() - 2; i ++){
int a = nums[i];
if (i > 0 && a == nums[i-1])
continue;
int bcSum = 0 - a;
int bIndex = i + 1;
int cIndex = nums.size() - 1;
while (bIndex < cIndex){
if (bIndex > i + 1 && nums[bIndex] == nums[bIndex - 1]) {
bIndex ++;
continue;
}
int b = nums[bIndex];
int c = nums[cIndex];
if (b + c > bcSum){
cIndex --;
continue;
} else if (b + c < bcSum){
bIndex ++;
continue;
} else {
result.push_back({a, b, c});
cIndex --;
bIndex ++;
}
}
}
return result;
}
};
网友评论