16. 最接近的三数之和
给定一个包括 n 个整数的数组 nums
和 一个目标值 target
。找出 nums
中的三个整数,使得它们的和与 target
最接近。返回这三个数的和。假定每组输入只存在唯一答案。
例如,给定数组 nums = [-1,2,1,-4], 和 target = 1. 与 target 最接近的三个数的和为 2. (-1 + 2 + 1 = 2).
class Solution { public int threeSumClosest(int[] nums, int target) { if(nums == null || nums.length < 3) return -1; int sum = nums[0] + nums[1] + nums[2]; Arrays.sort(nums); for(int i = 0;i < nums.length - 2;i++){ int low = i + 1,high = nums.length - 1; while(low < high){ int curSum = nums[low] + nums[high] + nums[i]; //特殊情况,直接返回 if(curSum == target){ return curSum; } //分情况 else if(Math.abs(sum - target) > Math.abs(curSum - target)){ sum = curSum; }else if(curSum > target){ high--; }else{ low++; } } } return sum; } }