给定一个包括 n 个整数的数组 nums 和 一个目标值 target。找出 nums 中的三个整数,使得它们的和与 target 最接近。返回这三个数的和。假定每组输入只存在唯一答案。
例如,给定数组 nums = [-1,2,1,-4], 和 target = 1.
与 target 最接近的三个数的和为 2. (-1 + 2 + 1 = 2).
public class ThreeSumClosest {public int threeSumClosest(int[] nums, int target) {Arrays.sort(nums);if (nums.length < 3) throw new RuntimeException("错误");int result = nums[0] + nums[1] + nums[2];if (result < target) {for (int i = 0; i < nums.length; i++) {int l = i + 1;int r = nums.length - 1;while (l < r) {int sum = nums[i] + nums[l] + nums[r];if (Math.abs(result - target) - Math.abs(sum - target) > 0) result = sum;if (sum > target) r--;else if (sum < target) l++;else break;}}}return result;}}
