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

Length of Longest Subarray With at Most K Frequency

Difficulty: Medium


Problem Description

You are given an integer array nums and an integer k. The frequency of an element x is the number of times it occurs in an array. An array is called good if the frequency of each element in this array is less than or equal to k. Return the length of the longest good subarray of nums. A subarray is a contiguous non-empty sequence of elements within an array.


Key Insights

  • A "good" subarray has each element occurring at most k times.
  • We can utilize the sliding window technique to efficiently find the longest good subarray.
  • A hash table (or dictionary) can be used to keep track of the frequencies of elements within the current window.
  • When the frequency of any element exceeds k, we need to shrink the window from the left.

Space and Time Complexity

Time Complexity: O(n), where n is the length of the nums array. Each element is processed at most twice (once added and once removed). Space Complexity: O(m), where m is the number of unique elements in the current window, which can be at most n in the worst case.


Solution

We will use a sliding window approach with two pointers (left and right). The right pointer will expand the window by adding elements, while the left pointer will shrink the window when the frequency of any element exceeds k. A hash table will be employed to keep track of the frequency of elements in the current window.


Code Solutions

def longestSubarray(nums, k):
    left = 0
    freq = {}
    max_length = 0

    for right in range(len(nums)):
        # Add the current element to the frequency dictionary
        freq[nums[right]] = freq.get(nums[right], 0) + 1
        
        # If the frequency of any element exceeds k, shrink the window from the left
        while freq[nums[right]] > k:
            freq[nums[left]] -= 1
            if freq[nums[left]] == 0:
                del freq[nums[left]]
            left += 1
        
        # Update the maximum length of the good subarray found
        max_length = max(max_length, right - left + 1)

    return max_length
← Back to All Questions