leetcode 15. 3Sum 题解

leetcode 15. 3Sum

在线提交网址: https://leetcode.com/problems/3sum/

  • Total Accepted: 158822
  • Total Submissions: 777492
  • Difficulty: Medium

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]
]

分析:

此题可以先对给定的数组进行排序,如果将a+b+c=0变形为a+b = -c(则 将问题转换成了2sum问题),然后使用双指针扫描来解决,另外注意去除重复…

AC代码:

#include<cstdio>
#include<iostream>
#include<algorithm>
#include<vector>
using namespace std;

class Solution {
    public:
        vector<vector<int> > threeSum(vector<int>& nums) {
            sort(nums.begin(), nums.end());   // 第一步是排序 
            vector<vector<int> > result;
            int len = nums.size();
            for(int i = 0; i< len; ++i) {
                int target = 0 - nums[i];  // a+b = -c
                int start = i+1, end = len-1;
                while(start < end) {
                    if(nums[start] + nums[end] == target) {
                        result.push_back({nums[i], nums[start], nums[end]});
                        start++;
                        end--;
                        while(start < end && nums[start] == nums[start-1]) start++;  // 过滤双指针扫描时的重复解: 遇到相等的数时, 跳过 
                        while(start < end && nums[end] == nums[end+1]) end--;        // 遇到相等的数时, 跳过 
                    } else if(nums[start] + nums[end] < target) {
                        start++;
                    } else {
                        end--;
                    }
                }
                if(i < len - 1) {
                    while(nums[i] == nums[i+1]) i++;   // 过滤外部扫描时的重复解: 遇到相等的数(target)时, 跳过 
                }
            }
            return result;
        }
};
// 以下为测试 
int main() {
    Solution sol;
    int arr[] = {-1, 0, 1, 2, -1, 1, 2, -4};
    vector<int> vec(arr, arr+6);
    vector<vector<int> > res = sol.threeSum(vec);
    for(auto it: res) {
        for(auto i: it) {
            cout<<i<<endl;
        }
        cout<<"----"<<endl;
    }
    return 0;
}

猜你喜欢

转载自blog.csdn.net/yanglr2010/article/details/53055111