从零单刷Leetcode(JAVA描述)——16. 最接近的三数之和

链接:https://leetcode-cn.com/problems/3sum-closest

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

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

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

class Solution {
    public int threeSumClosest(int[] nums, int target) {
        int res=nums[0]+nums[1]+nums[nums.length-1];
        Arrays.sort(nums);
        for(int i=0;i<nums.length-2;i++){
            int start=i+1,end=nums.length-1;
            while(start<end){
                int sum=nums[i]+nums[start]+nums[end];
                if(sum>target)
                    end--;
                else 
                    start++;
                if(Math.abs(sum-target)<Math.abs(res-target))
                    res=sum;
            }
        }
        return res;
    }
}

在这里插入图片描述

猜你喜欢

转载自blog.csdn.net/waS_TransvolnoS/article/details/92409771