官方链接
https://leetcode-cn.com/problems/3sum-closest/
给定一个包括 n 个整数的数组 nums
和 一个目标值 target
。找出 nums
中的三个整数,使得它们的和与 target
最接近。返回这三个数的和。假定每组输入只存在唯一答案。
示例:
输入:nums = [-1,2,1,-4], target = 1
输出:2
解释:与 target 最接近的和是 2 (-1 + 2 + 1 = 2) 。
提示:
- 3 <= nums.length <= 10^3
- -10^3 <= nums[i] <= 10^3
- -10^4 <= target <= 10^4
解法一
class Solution {
public int threeSumClosest(int[] nums, int target) {
Arrays.sort(nums);
int best = 1000;
for (int k = 0; k < nums.length - 2; k++) {
if (k > 0 && nums[k] == nums[k - 1]) continue;
int i = k + 1, j = nums.length - 1;
while (i < j) {
int sum = nums[k] + nums[i] + nums[j];
if (sum == target) return sum;
if (Math.abs(sum - target) < Math.abs(best - target)) {
best = sum;
}
if (sum > target) {
j--;
while (i < j && nums[j] == nums[j + 1]) j--;
} else {
i++;
while (i < j && nums[i] == nums[i - 1]) i++;
}
}
}
return best;
}
}