LeetCode-最接近的三数之和

题目

给定一个包括 n 个整数的数组 nums 和 一个目标值 target。找出 nums 中的三个整数,使得它们的和与 target 最接近。返回这三个数的和。假定每组输入只存在唯一答案。

例如,给定数组 nums = [-1,2,1,-4], 和 target = 1.
与 target 最接近的三个数的和为 2. (-1 + 2 + 1 = 2).

解决

与之前的三数之和的方法差不多,主要要注意的是双指针的移动,如果相加的和大于target的话,j–,反之i++(j指向数组尾部),这样即可求出最接近target的三位数之和。

 public  int threeSumClosest(int[] nums, int target) {
        int di = Integer.MAX_VALUE;
        int sum = 0;
        int res = 0;
        if(nums.length < 3) {
            return 0;
        }
        Arrays.sort(nums);
        for(int k=0;k d) {
                    di = d;
                    res = sum;
                } else if(sum > target){
                    j--;
                } else if(sum < target){
                    i++;
                } else {
                    return sum;
                }

            }
        }
        return res;
    }

你可能感兴趣的:(算法)