題目
描述
給定一個包括 n 個整數(shù)的數(shù)組 nums 和 一個目標值 target凡橱。找出 nums 中的三個整數(shù)规阀,使得它們的和與 target 最接近挣跋。返回這三個數(shù)的和。假定每組輸入只存在唯一答案悬嗓。
示例:
輸入: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
來源:力扣(LeetCode)
鏈接:https://leetcode-cn.com/problems/3sum
著作權歸領扣網(wǎng)絡所有。商業(yè)轉載請聯(lián)系官方授權包竹,非商業(yè)轉載請注明出處燕酷。
解答
思路
應該和三數(shù)和為0的思路一致:
- 排序后雙指針移動查找符合條件的第三個指針。
- 原始數(shù)組中數(shù)字可能重復周瞎,需要跳過
代碼
public int threeSumClosest(int[] nums, int target) {
if (nums.length == 3) {
return nums[0] + nums[1] + nums[2];
}
int n = nums.length;
Arrays.sort(nums);
int res = nums[0] + nums[1] + nums[2];
for (int i = 0; i < n - 2; i++) {
// 需要和前一個數(shù)不同
if (i > 0 && nums[i] == nums[i - 1]) {
continue;
}
for (int j = i + 1; j < n - 1; j++) {
// 需要和前一個數(shù)不同
if (j > i + 1 && nums[j] == nums[j - 1]) {
continue;
}
for (int k = j + 1; k < n; k++) {
if (Math.abs(nums[i] + nums[j] + nums[k] - target)
< Math.abs(res - target)) {
res = nums[i] + nums[j] + nums[k];
if (res == target) {
return res;
}
}
}
}
}
return res;
}
}