16. 3Sum Closest
2018-03-19 本文已影响0人
阿呆酱的算法工程师之路
题目:
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.
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).
思路:
关键点:利用twoSum的方法,two pointers 来辅助,每次确定第一个数字,剩下的就是找两个数字之和的问题了。
class Solution {
public int threeSumClosest(int[] nums, int target) {
Arrays.sort(nums);
int res = nums[0] + nums[1] + nums[2];
int min = Math.abs(nums[0] + nums[1] + nums[2] - target);
for(int i = 0; i < nums.length - 2; i++) {
int sum = target - nums[i];
int j = i + 1;
int k = nums.length - 1;
int del = -1;
while(j < k) {
int tp = nums[j] + nums[k];
del = Math.abs(sum - tp);
if(del < min) {
min = del;
res = nums[i] + nums[j] + nums[k];
}
if(tp == sum) {
return target;
} else if(tp < sum) {
j++;
} else {
k--;
}
}
}
return res;
}
}