欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

python leetcode 16. 最接近的三数之和

程序员文章站 2022-06-06 10:33:07
...

给定一个包括 n 个整数的数组 nums 和 一个目标值 target。找出 nums 中的三个整数,使得它们的和与 target 最接近。返回这三个数的和。假定每组输入只存在唯一答案。
例如,给定数组 nums = [-1,2,1,-4], 和 target = 1.
与 target 最接近的三个数的和为 2. (-1 + 2 + 1 = 2).


class Solution:
    def threeSumClosest(self, nums: List[int], target: int) -> int:
        nums.sort()
        res = nums[0] + nums[1] + nums[2]
        for i in range(len(nums)):
            start = i + 1
            end   = len(nums) - 1

            while start < end :
                sum = nums[start] + nums[end] + nums[i]
                if abs(target - sum) < abs(target - res):
                    res = sum
                if sum > target:
                    end -= 1
                elif sum < target:
                    start += 1
                else:
                    return res
        return res

python leetcode 16. 最接近的三数之和
主要通过双指针及时跳出循环,减少运算次数。