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

Maximum Good Subarray Sum

Difficulty: Medium


Problem Description

You are given an array nums of length n and a positive integer k. A subarray of nums is called good if the absolute difference between its first and last element is exactly k, in other words, the subarray nums[i..j] is good if |nums[i] - nums[j]| == k. Return the maximum sum of a good subarray of nums. If there are no good subarrays, return 0.


Key Insights

  • The problem requires identifying subarrays where the first and last elements differ by exactly k.
  • We can leverage a hash table to store indices of elements for quick access.
  • The sum of the elements in the subarray needs to be calculated efficiently.
  • A two-pointer or sliding window approach could be beneficial to explore subarrays while maintaining their sum.

Space and Time Complexity

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


Solution

To solve the problem, we can use a hash table to keep track of the indices of the elements in the array. As we iterate through the array, we can check if the current element plus or minus k exists in the hash table. If it does, we can identify a good subarray. We will compute the sum of the elements in this identified subarray and keep track of the maximum sum encountered. This approach ensures that we only traverse the list a limited number of times, making it efficient.


Code Solutions

def max_good_subarray_sum(nums, k):
    max_sum = 0
    n = len(nums)
    prefix_sum = [0] * (n + 1)
    index_map = {}

    # Calculate prefix sums
    for i in range(n):
        prefix_sum[i + 1] = prefix_sum[i] + nums[i]

    for i in range(n):
        # Check for nums[i] + k
        if nums[i] + k in index_map:
            j = index_map[nums[i] + k]
            max_sum = max(max_sum, prefix_sum[i + 1] - prefix_sum[j])
        # Check for nums[i] - k
        if nums[i] - k in index_map:
            j = index_map[nums[i] - k]
            max_sum = max(max_sum, prefix_sum[i + 1] - prefix_sum[j])
        
        index_map[nums[i]] = i  # Update index map

    return max_sum
← Back to All Questions