We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Maximum Sum of Two Non-Overlapping Subarrays

Difficulty: Medium


Problem Description

Given an integer array nums and two integers firstLen and secondLen, return the maximum sum of elements in two non-overlapping subarrays with lengths firstLen and secondLen. The array with length firstLen could occur before or after the array with length secondLen, but they have to be non-overlapping. A subarray is a contiguous part of an array.


Key Insights

  • We need to calculate the maximum sum of two non-overlapping subarrays of given lengths.
  • The two subarrays can be arranged in two ways: firstLen followed by secondLen or secondLen followed by firstLen.
  • A sliding window approach can be employed to efficiently compute the sums of the subarrays.
  • We can maintain a running maximum of the first subarray's sum while iterating through the second subarray to ensure they do not overlap.

Space and Time Complexity

Time Complexity: O(n)
Space Complexity: O(1)


Solution

To solve this problem, we can use a sliding window technique along with a prefix sum approach. We will compute the maximum sums of subarrays of lengths firstLen and secondLen as we iterate through the array. We will maintain two scenarios: one where the first subarray comes before the second subarray and the other where the second subarray comes before the first. By keeping track of the maximum sums dynamically, we can efficiently arrive at the final solution.


Code Solutions

def maxSumTwoNoOverlap(nums, firstLen, secondLen):
    def maxSum(length):
        max_sum = 0
        current_sum = sum(nums[:length])
        max_sum = current_sum
        for i in range(length, len(nums)):
            current_sum += nums[i] - nums[i - length]
            max_sum = max(max_sum, current_sum)
        return max_sum

    max_total = 0
    first_max = 0
    # firstLen first, then secondLen
    for i in range(firstLen + secondLen - 1, len(nums)):
        first_max = max(first_max, sum(nums[i - firstLen + 1:i + 1]))
        second_sum = sum(nums[i - secondLen + 1:i + 1])
        max_total = max(max_total, first_max + second_sum)

    first_max = 0
    # secondLen first, then firstLen
    for i in range(firstLen + secondLen - 1, len(nums)):
        first_max = max(first_max, sum(nums[i - secondLen + 1:i + 1]))
        second_sum = sum(nums[i - firstLen + 1:i + 1])
        max_total = max(max_total, first_max + second_sum)

    return max_total
← Back to All Questions