16. 最接近的三数之和(java)

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

例如,给定数组 nums = [-1,2,1,-4], 和 target = 1.

与 target 最接近的三个数的和为 2. (-1 + 2 + 1 = 2).

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/3sum-closest
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
class Solution {
    public int threeSumClosest(int[] nums, int target) {
        Arrays.sort(nums);
        int result = nums[0]+nums[1]+nums[nums.length-1];
        for(int i = 0; i < nums.length-2; i++) {
            if(i-1 >= 0 && nums[i] == nums[i-1]) continue;
            int left = i+1;
            int right = nums.length-1;
            while(left < right){
                int sum = nums[i]+nums[left]+nums[right];
                if(sum == target){
                    return target;
                }
                else if(sum<target){
                    if(Math.abs(sum-target)<Math.abs(result-target)) result = sum;
                    left++;
                } 
                else{
                    if(Math.abs(sum-target)<Math.abs(result-target)) result = sum;                        right--;
                }
            }
        }
        return result;
    }
}
发布了136 篇原创文章 · 获赞 19 · 访问量 8033

猜你喜欢

转载自blog.csdn.net/weixin_43306331/article/details/104011062