3 Sum Closet

题目

Given an array S of n integers, find three integers in S such that the sum is closest to a given number, target. Return the sum of the three integers. You may assume that each input would have exactly one solution.

给一个包含 n 个整数的数组 S, 找到和与给定整数 target 最接近的三元组,返回这三个数的和。

https://leetcode.com/problems/3sum-closest/description/

样例

For example, given array S = {-1 2 1 -4}, and target = 1.
The sum that is closest to the target is 2. (-1 + 2 + 1 = 2).

例如 S = [-1, 2, 1, -4] and target = 1. 和最接近 1 的三元组是 -1 + 2 + 1 = 2.

解题思路

这道题的仍然是使用两个指针 Two Pointers的方法来解决,解题思路和3 Sum这道题相似,这里的时间复杂度仍然是O(n^2)。

分别使用3个指针来指向当前元素、下一个元素和最后一个元素。如果结果Sum是小于目标值的,我们就将下一个元素接着向数组右侧遍历;如果结果Sum是大于目标值的,那么我们将最后一个元素向左侧遍历。
并且,每次我们都比较当前结果和目标值的差值,如果这个差值小于上一次的结果,将上一次的结果替换,否则的话,继续遍历。

具体代码如下:

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; i++) {
            int left = i + 1;
            int right = nums.length - 1;
            
            while (left < right) {
                int sum = nums[i] + nums[left] + nums[right];
                if (sum == target) {
                    res = sum;
                    return res;
                } else if (sum < target) {
                    left++;
                } else {
                    right--;
                }
                if (Math.abs(sum - target) < Math.abs(res - target)) {
                     res = sum;
                }
            }
        }
        return res;
}

你可能感兴趣的:(3 Sum Closet)