[LeetCode] 16. 最接近的三数之和 ☆☆☆(双指针)

描述

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

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

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

解析

排序后,顺序遍历每个值。以遍历的当前值nums[i]为基础,下一个值、最后一个值,分别为start、end,双指针遍历,nums[i] + nums[start] + nums[end]的和与target比较。

代码

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

猜你喜欢

转载自www.cnblogs.com/fanguangdexiaoyuer/p/12160060.html