LSGO——LeetCode实战(数组系列): 16题 最接近的三数之和 (three Sum)

原题:

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

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

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

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/3sum-closest
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

解题:

思路: 双指针法,和第十五道题一模一样的解法。

class Solution(object):
    def threeSumClosest(self, nums, target):
        """
        :type nums: List[int]
        :type target: int
        :rtype: int
        """
        nums.sort()
        ans= nums[0] + nums[1] + nums[2]
        for i in range(len(nums)-2):
            start = i +1
            end =len(nums)-1
            while start < end:
                num = nums[i] + nums[start] + nums[end]
                if abs(num-target)<abs(target-ans) :
                        ans = num
                if num > target:
                    end -=1
                elif num < target:
                    start +=1
                    
                else:
                    return target
        return ans

你可能感兴趣的:(LeetCode实战)