【Leetcode】--数组篇--No.15--三数之和

题目:

给定一个包含 n 个整数的数组 nums,判断 nums 中是否存在三个元素 a,b,c ,使得 a + b + c = 0 ?找出所有满足条件且不重复的三元组。

注意:答案中不可以包含重复的三元组。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/3sum
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

第一次解答:

class Solution {
    public List<List<Integer>> threeSum(int[] nums) {
        List<List<Integer>> ans = new ArrayList();
        int len = nums.length;
        
        Arrays.sort(nums);
        if (len < 3) return ans;
        for (int i = 0; i < len; i++){
            if(nums[i] > 0) break;
            if(i > 0 && nums[i] == nums[i-1]) continue; // 去重
            int j = i + 1;
            int k = len - 1;
            while (j < k) {
                int sum = nums[i] + nums[j] +nums[k];
                if(sum == 0){
                    ans.add(Arrays.asList(nums[i], nums[j], nums[k]));
                    while (j<k && nums[j] == nums[j+1]) j++; // 去重
                    while (j<k && nums[k] == nums[k-1]) k--; // 去重
                    j++;
                    k--;
                }
                else if(sum < 0) j++;
                else if(sum > 0) k--;
            }
        }
        
        return ans;
    }
}
原文地址:https://www.cnblogs.com/chenyun-/p/12287484.html