LeetCode 16. 3Sum Closest
Sort + Two Pointer
Given an array nums
of n integers and an integer target
, find three integers in nums
such that the sum is closest to target
. Return the sum of the three integers. You may assume that each input would have exactly one solution.
Example 1:
Input: nums = [-1,2,1,-4], target = 1
Output: 2
Explanation: The sum that is closest to the target is 2. (-1 + 2 + 1 = 2).
Constraints:
3 <= nums.length <= 10^3
-10^3 <= nums[i] <= 10^3
-10^4 <= target <= 10^4
Solution:
class Solution {
public:
int threeSumClosest(vector<int>& nums, int target) {
int ans = 0;
int diff = INT_MAX;
sort(nums.begin(), nums.end());
for (int i = 0; i < nums.size(); i++) {
if (i > 0 && nums[i - 1] == nums[i]) {
continue;
}
int j = i + 1;
int k = nums.size() - 1;
while (j < k) {
int sum = nums[i] + nums[j] + nums[k];
if (abs(sum - target) < diff) {
ans = sum;
diff = abs(sum - target);
}
if (sum < target) {
j++;
} else if (sum > target) {
k--;
} else {
return target;
}
}
}
return ans;
}
};
Last updated
Was this helpful?