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

Maximum Equal Frequency

Difficulty: Hard


Problem Description

Given an array nums of positive integers, return the longest possible length of an array prefix of nums, such that it is possible to remove exactly one element from this prefix so that every number that has appeared in it will have the same number of occurrences. If after removing one element there are no remaining elements, it's still considered that every appeared number has the same number of occurrences (0).


Key Insights

  • The goal is to determine a prefix of the array where, after removing one element, all remaining elements have the same frequency.
  • We can track the frequency of each number and how many numbers have each frequency.
  • The solution involves checking possible conditions for equal frequencies after removing one element.

Space and Time Complexity

Time Complexity: O(n), where n is the length of the nums array. Space Complexity: O(n), for storing the frequency counts and occurrence counts.


Solution

To solve this problem, we can use a hash table (dictionary) to keep track of the frequency of each number in the array. We will also maintain another hash table to count how many numbers have each frequency. As we iterate through the array, we will update these tables accordingly.

  1. For each number in the array, update its frequency.
  2. Update the count of how many numbers have each frequency.
  3. Check various cases to determine if removing one element can lead to a valid configuration where all remaining frequencies are equal.
  4. Keep track of the maximum valid prefix length found.

Code Solutions

def max_equal_freq(nums):
    from collections import defaultdict
    
    freq = defaultdict(int)  # frequency of each number
    count = defaultdict(int)  # count of how many numbers have each frequency
    max_length = 0

    for i in range(len(nums)):
        num = nums[i]
        
        if freq[num] > 0:
            count[freq[num]] -= 1
            if count[freq[num]] == 0:
                del count[freq[num]]
        
        freq[num] += 1
        count[freq[num]] += 1
        
        # Check conditions for valid prefix
        if len(count) == 1:
            only_freq = next(iter(count))
            if only_freq == 1 or count[only_freq] == 1:
                max_length = i + 1
        elif len(count) == 2:
            keys = list(count.keys())
            f1, f2 = keys[0], keys[1]
            if (f1 == 1 and count[f1] == 1) or (f2 == 1 and count[f2] == 1) or (abs(f1 - f2) == 1 and (count[f1] == 1 or count[f2] == 1)):
                max_length = i + 1

    return max_length
← Back to All Questions