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 Distinct Subarrays With Length K

Difficulty: Medium


Problem Description

You are given an integer array nums and an integer k. Find the maximum subarray sum of all the subarrays of nums that meet the following conditions:

  • The length of the subarray is k, and
  • All the elements of the subarray are distinct.

Return the maximum subarray sum of all the subarrays that meet the conditions. If no subarray meets the conditions, return 0.

Key Insights

  • We need to efficiently find subarrays of fixed length k.
  • Each subarray must contain distinct elements.
  • A sliding window technique can be used to maintain a window of size k and track distinct elements.
  • A hash set or hash map can help track seen elements and their counts.

Space and Time Complexity

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

Solution

To find the maximum sum of distinct subarrays of length k, we can use the sliding window technique. We maintain a window of size k and use a hash set to track distinct elements within that window. As we slide the window across the array, we check if the elements are distinct and calculate the sum. If any duplicate elements are found, we adjust the window accordingly. Finally, we return the maximum sum found.


Code Solutions

def maximumSumDistinctSubarrays(nums, k):
    n = len(nums)
    if k > n:
        return 0
    
    max_sum = 0
    current_sum = 0
    seen = {}
    
    for i in range(n):
        # Add the current element into the window
        if i < k:
            current_sum += nums[i]
            seen[nums[i]] = seen.get(nums[i], 0) + 1
        else:
            # Remove the element going out of the window
            outgoing = nums[i - k]
            current_sum += nums[i]
            seen[outgoing] -= 1
            if seen[outgoing] == 0:
                del seen[outgoing]
            seen[nums[i]] = seen.get(nums[i], 0) + 1
        
        # Check if all elements in the current window are distinct
        if len(seen) == k:
            max_sum = max(max_sum, current_sum)
    
    return max_sum
← Back to All Questions