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中达到一个去重的效果

    1. class Solution {
    2. public List<List<Integer>> threeSum(int[] nums) {
    3. List<List<Integer>> list = new ArrayList<>();
    4. if(nums.length < 3){
    5. return list;
    6. }
    7. Map<Integer,Integer> target = new HashMap<>();
    8. for(int i = 0; i<nums.length; i++){
    9. target.put(nums[i], i);
    10. }
    11. Set<List<Integer>> res = new HashSet<>();
    12. for(int i = 0; i<nums.length; i++){
    13. for(int j = i+ 1; j<nums.length; j++){
    14. if(target.containsKey(-(nums[i]+nums[j]))&&i!=target.get(-(nums[i]+nums[j]))&&j!=target.get(-(nums[i]+nums[j]))){
    15. List<Integer> tmp = new ArrayList<>();
    16. tmp = Arrays.asList(nums[i], nums[j], -(nums[i]+nums[j]));
    17. Collections.sort(tmp);
    18. res.add(tmp);
    19. }
    20. }
    21. }
    22. list.addAll(res);
    23. return list;
    24. }
    25. }

    比较好的思路应该是先排序再用双指针