LeetCode刷题: 最接近的三数之和(day24)

LeetCode刷题: 最接近的三数之和(day24)

题目描述:

给定一个包括 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) {
        //先排序
        Arrays.sort(nums);
        int tarSum = nums[0] + nums[1] + nums[2];
        if(nums.length < 3) return -999;
        
        for(int i = 0; i < nums.length - 2; i++){
            int l = i + 1;
            int b = nums.length - 1;   
            int sum1 = nums[i] + nums[l] + nums[b];
            int sum2 = sum1;
	        while((l < b && Math.abs(sum2 - target) <= Math.abs(sum1 - target)) || (l < b && sum1 * sum2 < 0)){
	        	sum1 = nums[i] + nums[l] + nums[b];	        	
	        	if(sum1 == target) return target;
	        	else if(sum1 < target) l++;
	        	else b--;  	
	        	sum2 = nums[i] + nums[l] + nums[b];
	        }
	        if(Math.abs(sum1 - target) < Math.abs(tarSum - target))  tarSum = sum1;
        }
        
        return tarSum;
    }
}

执行结果:

LeetCode刷题: 最接近的三数之和(day24)_第1张图片

执行耗时:

LeetCode刷题: 最接近的三数之和(day24)_第2张图片

你可能感兴趣的:(leetcode刷题,leetcode刷题)