LeetCode15:三数之和
给你一个包含n个整数的数组nums,判断nums中是否存在三个元素a,b,c,使得a+b+c=0?请你找出所有和为0且不重复的三元组
注意:
答案中不可以包含重复的三元组
示例:
输入:nums = [-1, 0, 1, 2, -1, -4]
输出:[[-1, -1, 2], [-1, 0, 1]]
输入:nums = []
输出:nums = []
输入:nums = [0]
输出:[]
提示:
0 <= nums.length <= 3000
-10^5 <= nums[i] <= 10^5
思路:
这种情况最直接想到的就是递归求解,使用三重循环,逐渐相加,找到和为零的时候,就添加到数组中 data:image/s3,"s3://crabby-images/6596c/6596cfc80e96cb29f2ddf8b6f00bcdbdf6b615f3" alt="在这里插入图片描述"
然后分别移动循环指针,知道全部遍历结束 data:image/s3,"s3://crabby-images/929c5/929c5fe33ec944ef45a9e0bc49e22e40d7b35a09" alt="在这里插入图片描述"
这种方法虽然可以解决该题,得到答案,但是存在两个问题
①、因为使用了三个循环,所以时间复杂度为O(n^3)
②、这种方法会把所有的结果都输出一次,结果中会有重复,比如一个数组[0,0,0,0,0],输出结果就会[[0,0,0], [0,0,0], [0,0,0]]
所以就要选择一种方案,优化这种思路,使得时间复杂度和结果重复的问题都要解决。
解法
可以选择排序+双指针的方法
排序+双指针
①首先将给出的数组排序,按照从高到低,这样一来,对于一串数字,前后数字相加为0的概率会更大,就可以采用前后同时遍历的方法 data:image/s3,"s3://crabby-images/c7f36/c7f36f103041c2438f4176c8d366dc41703b7c29" alt="在这里插入图片描述"
②使用两个指针,一个初始在列表开头,另一个初始在列表结尾,然后遍历中间数字相加 data:image/s3,"s3://crabby-images/815f4/815f4a735863eecce688fa30365b41716e62e915" alt="在这里插入图片描述"
③如果三数之和小于0,说明负数更大,就把指针遍历后移 data:image/s3,"s3://crabby-images/963f2/963f2854b1560d12bec6bff1d14ddc6ea997f148" alt="在这里插入图片描述"
④如果三数之和大于0,说明正数更大,将结尾指针迁移 data:image/s3,"s3://crabby-images/c389c/c389c50067aa5c813177dc75afe562cd9b703cae" alt="在这里插入图片描述"
⑤当三数之和等于零,判断前后数字是否相同,相同说明为重复,需要跳过 data:image/s3,"s3://crabby-images/a0bee/a0beeaacbe44123e6485be711034015a2085b148" alt="在这里插入图片描述"
⑥当开头指针不小于结尾指针时,并且首指针数值为正数,循环结束 data:image/s3,"s3://crabby-images/8afa4/8afa4f2a447d83a93dc248895fd205c0e3946781" alt="在这里插入图片描述"
全部流程 data:image/s3,"s3://crabby-images/109dc/109dc85187411e9bfb5f56432b1981ba347300ab" alt="在这里插入图片描述"
代码
public List<List<Integer>> threeSum(int[] nums){
List<List<Integer>> res = new ArrayList();
int len = nums.length;
if(nums == null || len < 3) return ans;
Arrays.sort(nums);
for(int L = 0; L < len; L++){
if(nums[L] > 0) break;
if(L > 0 && nums[L] == nums[L-1]) continue;
int i = L + 1, R = len - 1;
while(i < R){
int sum = nums[L] + nums[i] + nums[R];
if(sum == 0){
res.add(Arrays.asList(nums[L], nums[i], nums[R]));
while(i < R && nums[i] == nums[i + 1]) i++;
while(i < R && nums[R] == nums[R - 1]) R--;
}
else if(sum < 0) i++;
else if(sun > 0) R--;
}
}
return res;
}
测试
public static void main(String[] args){
LeetCode15 lc = new LeetCode15();
Sysout.out.println(lc.threeSum({-1, 0, 1, 2, -1, -4}))
}
结果
[[-1, -1, 2], [-1, 0, 1]]
神奇的排序加双指针,这一方式简直堪称神奇,可以代替许多暴力递归的方法,要多加注意才是
|