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

Split Array Largest Sum

Given an array of non-negative integers nums and an integer m, you need to split the array into m non-empty continuous subarrays where the largest sum of subarrays should be minimized.

Constraints:

  • 1 <= nums.length <= 1000
  • 1 <= m <= min(50, nums.length)
  • 0 <= nums[i] <= 10^6

Examples:

Input: nums = [7,2,5,10,8], m = 2

Output: 18

Explanation: One possible way to split the array is [7,2,5] and [10,8]. The largest sum of subarrays is 18.

Solutions

Binary Search

Time: O(n log(sum))Space: O(1)

The idea is to use binary search to find the minimum largest sum of subarrays. We start with the maximum possible sum (the sum of all elements) and the minimum possible sum (the maximum element in the array). We then try to find the middle value and check if we can split the array into m subarrays with sum less than or equal to the middle value. If we can, we update the high value to the middle value. If we cannot, we update the low value to the middle value plus one. We repeat this process until the low value is greater than or equal to the high value.


def splitArray(nums, m):
    low, high = max(nums), sum(nums); while low < high:
        mid = (low + high) // 2; if canSplit(nums, mid, m):
            high = mid; else:
                low = mid + 1; return low;
                def canSplit(nums, max, m):
                    count, sum = 1, 0; for num in nums:
                        sum += num; if sum > max:
                            count += 1; sum = num; return count <= m

Difficulty: Hard

Category: Binary Search

Frequency: High

Company tags:

GoogleAmazonMicrosoft