https://leetcode-cn.com/problems/3sum/comments/
给你一个包含 n 个整数的数组 nums,判断 nums 中是否存在三个元素 a,b,c ,使得 a + b + c = 0 ?请你找出所有和为 0 且不重复的三元组。
注意:答案中不可以包含重复的三元组。
示例 1:
输入:nums = [-1,0,1,2,-1,-4]
输出:[[-1,-1,2],[-1,0,1]]
示例 2:
输入:nums = []
输出:[]
示例 3:
输入:nums = [0]
输出:[]
提示:
0 <= nums.length <= 3000
-105 <= nums[i] <= 105
还是可以用两数之和的方法,不过要注意先用Collections.sort对得到的list进行排序,再放入set中达到一个去重的效果
class Solution {
public List<List<Integer>> threeSum(int[] nums) {
List<List<Integer>> list = new ArrayList<>();
if(nums.length < 3){
return list;
}
Map<Integer,Integer> target = new HashMap<>();
for(int i = 0; i<nums.length; i++){
target.put(nums[i], i);
}
Set<List<Integer>> res = new HashSet<>();
for(int i = 0; i<nums.length; i++){
for(int j = i+ 1; j<nums.length; j++){
if(target.containsKey(-(nums[i]+nums[j]))&&i!=target.get(-(nums[i]+nums[j]))&&j!=target.get(-(nums[i]+nums[j]))){
List<Integer> tmp = new ArrayList<>();
tmp = Arrays.asList(nums[i], nums[j], -(nums[i]+nums[j]));
Collections.sort(tmp);
res.add(tmp);
}
}
}
list.addAll(res);
return list;
}
}
比较好的思路应该是先排序再用双指针