Leetcode(Java)-16. 最接近的三数之和

给定一个包括 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) {
        Arrays.sort(nums);
        int ans = Integer.MAX_VALUE;//和target差的绝对值
        int res = Integer.MAX_VALUE;//记录三数之和
        for(int i=0;i<nums.length-2;i++)
        {
            int start = i + 1;
            int end = nums.length - 1;

            while(start < end)
            {
                int sum = nums[i] + nums[start] + nums[end];
                if(ans > Math.abs(sum - target))
                {
                    ans = Math.abs(sum - target);
                    res = sum;
                }
                if(ans == 0)
                    return target;
                
                if(sum - target > 0)
                    end --;
                else
                    start ++;
            }
        }
        return res;
    }
}
发布了241 篇原创文章 · 获赞 34 · 访问量 2万+

猜你喜欢

转载自blog.csdn.net/qq_38905818/article/details/104249456