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

Count Elements With Maximum Frequency

Difficulty: Easy


Problem Description

You are given an array nums consisting of positive integers. Return the total frequencies of elements in nums such that those elements all have the maximum frequency. The frequency of an element is the number of occurrences of that element in the array.


Key Insights

  • The problem involves counting the frequency of each element in the array.
  • We need to identify the maximum frequency among these counts.
  • Finally, we return the total occurrences of elements that have this maximum frequency.

Space and Time Complexity

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


Solution

To solve the problem, we can use a hash table (or dictionary) to count the frequency of each element in the array. We will iterate through the array and populate our hash table with the counts. After that, we will determine the maximum frequency from our hash table and sum the counts of the elements that have this maximum frequency. This approach efficiently counts and retrieves the required information in linear time.


Code Solutions

def count_elements_with_max_frequency(nums):
    frequency_map = {}
    
    # Count frequency of each element
    for num in nums:
        if num in frequency_map:
            frequency_map[num] += 1
        else:
            frequency_map[num] = 1
            
    max_frequency = max(frequency_map.values())
    
    # Calculate total frequency of elements with maximum frequency
    total_frequency = sum(count for count in frequency_map.values() if count == max_frequency)
    
    return total_frequency
← Back to All Questions