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

Sum of K Subarrays With Length at Least M

Difficulty: Medium


Problem Description

You are given an integer array nums and two integers, k and m. Return the maximum sum of k non-overlapping subarrays of nums, where each subarray has a length of at least m.


Key Insights

  • We need to choose k subarrays that do not overlap.
  • Each subarray must be at least m elements long.
  • We can leverage prefix sums to efficiently calculate subarray sums.
  • Dynamic programming can be used to keep track of the maximum sums achievable with the given constraints.

Space and Time Complexity

Time Complexity: O(n * k)
Space Complexity: O(n)


Solution

To tackle this problem, we can use a dynamic programming approach combined with prefix sums. We will create a prefix sum array to quickly compute the sum of any subarray. The dynamic programming table will keep track of the maximum sums for k subarrays, ensuring that each subarray has a length of at least m.

  1. Compute the prefix sum of the array nums to allow O(1) sum retrieval for any subarray.
  2. Use a dynamic programming array dp where dp[j] represents the maximum sum achievable using j subarrays.
  3. Iterate through the possible end indices of the subarrays, updating the dp array based on previous sums and ensuring that the subarray length is at least m.
  4. Finally, return the maximum sum obtained using k subarrays.

Code Solutions

def maxSumOfKSubarrays(nums, k, m):
    n = len(nums)
    prefix_sum = [0] * (n + 1)
    for i in range(n):
        prefix_sum[i + 1] = prefix_sum[i] + nums[i]

    dp = [float('-inf')] * (k + 1)
    dp[0] = 0

    for j in range(1, k + 1):
        max_subarray_sum = float('-inf')
        for i in range(j * m - 1, n):
            max_subarray_sum = max(max_subarray_sum, prefix_sum[i + 1] - prefix_sum[i + 1 - m])
            if i + 1 - m >= 0:
                dp[j] = max(dp[j], dp[j - 1] + max_subarray_sum)

    return dp[k]
← Back to All Questions