力扣题15三数之和

给你一个包含 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]
输出:[]

1.对数组进行排序,三个数中先确定第一个数,逐个遍历第一个数的所有可能性,然后在剩余的数组中寻找两个数字,使其和是第一个数的相反数,此时就可以使用双指针法了。同时在遍历过程中,要对重复值进行判断,不能存储重复的三个数字组。

class Solution {
    public List<List<Integer>> threeSum(int[] nums) {
        List<List<Integer>> list = new ArrayList<>();

        Arrays.sort(nums);//对数组进行排序

        for(int i = 0;i < nums.length - 2;i++){//先确定其中一个数,并且保持子数组中有至少有三个数
            if(nums[i] > 0){//三个数都大于0,不可能
                break;
            }

            if(i > 0 && nums[i] == nums[i-1]){//第一个数字相同的情况已经找过了,不用再找重复的了
                continue;
            }

            int target = -nums[i];

            int first = i + 1;
            int second = nums.length - 1;
            while(first < second){
                if(nums[first] + nums[second] == target){//找到了
                    List<Integer> subList = new ArrayList<>();//加入集合中
                    subList.add(nums[i]);
                    subList.add(nums[first]);
                    subList.add(nums[second]);

                    list.add(subList);
                    first++;
                    second--;//分别移动前、后的指针
                    //防止first和second指针指向的值重复
                    while(first < second && nums[first] == nums[first-1]){
                        first++;
                    }
                    while(first < second && nums[second] == nums[second+1]){
                        second--;
                    }
                }else if(nums[first] + nums[second] < target){//如果小于,说明第一个值太小,向后移动
                    first++;
                }else{//如果大于,说明第二个值太大,向后移动
                    second--;
                }
            }
        }
        return list;
    }
}

题源:力扣

上一篇:[LeetCode] 1157. Online Majority Element In Subarray 子数组中占绝大多数的元素


下一篇:python判断 射线是否与圆相交