leetcode16_最接近的三數之和

给定一个包括 n 个整数的数组 nums 和 一个目标值 target。找出 nums 中的三个整数,使得它们的和与 target 最接近。返回这三个数的和。假定每组输入只存在唯一答案。

例如,给定数组 nums = [-1,2,1,-4], 和 target = 1.

与 target 最接近的三个数的和为 2. (-1 + 2 + 1 = 2).

思路:

化爲twoSum問題   

public int threeSumClosest(int[] num, int target) {
		
	int res = num[0] + num[1] + num[num.length - 1];  //初始化
        Arrays.sort(num);
        for (int i = 0; i < num.length - 2; i++) {  //確定一個數
            int start = i + 1, end = num.length - 1;
            while (start < end) {
                int sum = num[i] + num[start] + num[end];
                if (sum > target) {
                    end--;
                } else {
                    start++;
                }
                if (Math.abs(sum - target) < Math.abs(res - target)) {
                    res = sum;
                }
            }
        }
        return res;
    }

猜你喜欢

转载自blog.csdn.net/qq_41864967/article/details/84954085