我是靠谱客的博主 粗心短靴,最近开发中收集的这篇文章主要介绍Leetcode: 15. 3Sum,觉得挺不错的,现在分享给大家,希望可以做个参考。

概述

Given an array nums of n integers, are there elements abc in nums such that a + b + c = 0? Find all unique triplets in the array which gives the sum of zero.

Notice that the solution set must not contain duplicate triplets.

Example 1:

Input: nums = [-1,0,1,2,-1,-4]
Output: [[-1,-1,2],[-1,0,1]]

Example 2:

Input: nums = []
Output: []

Example 3:

Input: nums = [0]
Output: []

Constraints:

  • 0 <= nums.length <= 3000
  • -10^5 <= nums[i] <= 10^5

 

解法 :

两位数相加等于特定值的解法在之前一章已经说过了。以解法一来说,就是利用先排序再从两头挤的方法找到这两个数值;那三位数相加呢?其实就可以偷个懒。先依次假定数组中的每个数值就是 a, bc 中的a,那么再用2sum的解法一去寻找 b+c = -a的两个数值就行了。

public static List<List<Integer>> threeSum(int[] nums) {
        List<List<Integer>> res = new ArrayList<>();
        Arrays.sort(nums);
        
        for (int i = 0; i < nums.length; i++) { // assume 1st num is one of result
            if(i == 0 || ( i>0 && nums[i] != nums[i-1])) {
                int left = i+1;
                int right = nums.length - 1;
                int target = 0 - nums[i] ;
                
                while (left < right) {
                    int sum = nums[left] + nums[right];
                    if (sum < target) {
                        left++;
                    } else if (sum > target) {
                        right--;
                    } else {
                        res.add(Arrays.asList(nums[i], nums[left], nums[right]));
                        while (left < right && nums[left] == nums[left+1]) left++;
                        while (left < right && nums[right] == nums[right-1]) right--;
                        left++ ;
                        right-- ;
                    }
                }
                
            }

        }

        return res;
    }

这里面有两点:

1. 题目中提到了结果集中不能有重复的组合,所以当我们找到一组符合标准的abc之后,需要先定位到下一个不与之前重复的left和right的位置。就是下面两行所做的工作:

while (left < right && nums[left] == nums[left+1]) left++;
while (left < right && nums[right] == nums[right-1]) right--;

2. 当我们选定nums[i]作为a值的候选后,寻找b和c的while循环的条件是left < right, 为什么不是重新从num[0]位置开始找?原因是当我们选取nums中的某个索引位上的数作为a值的时候,其实该索引位之前的数字已经被作为曾经的a值考虑过了,并且a值之后的数字也通过left和right指针遍历过了,所以我们这里就没必要再重头第0位重复寻找一遍了。

 

最后

以上就是粗心短靴为你收集整理的Leetcode: 15. 3Sum的全部内容,希望文章能够帮你解决Leetcode: 15. 3Sum所遇到的程序开发问题。

如果觉得靠谱客网站的内容还不错,欢迎将靠谱客网站推荐给程序员好友。

本图文内容来源于网友提供,作为学习参考使用,或来自网络收集整理,版权属于原作者所有。
点赞(48)

评论列表共有 0 条评论

立即
投稿
返回
顶部