Intervue featured on Shark TankIntervue featured on Shark Tank - mobile banner

Given an array of integers, find the sum of three numbers that is closest to the target value. You may assume that each input would have exactly one solution.

Constraints:

  • 3 <= nums.length <= 10^3
  • -10^15 <= nums[i] <= 10^15
  • -10^15 <= target <= 10^15

Examples:

Input: nums = [-1,2,1,-4], target = 1

Output: 2

Explanation: The sum of -1, 1 and 2 is 2, which is closest to the target value of 1.

Solutions

Two Pointers

Time: O(n^2)Space: O(1)

The two pointers approach involves sorting the array first and then using two pointers to find the closest sum. The outer loop iterates over the array, and the inner loop uses two pointers, one starting from the next element of the outer loop and one from the end of the array. The sum of the three elements is calculated, and if it is closer to the target than the current closest sum, the closest sum is updated.


def threeSumClosest(nums, target):
    closest_sum = float('inf') for i in range(len(nums) - 2):
        for j in range(i + 1, len(nums) - 1):
            for k in range(j + 1, len(nums)):
                sum = nums[i] + nums[j] + nums[k] if abs(sum - target) < abs(closest_sum - target):
                    closest_sum = sum return closest_sum

Difficulty: Medium

Category: Array, Two Pointers

Frequency: High

Company tags:

GoogleAmazonFacebook