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

Minimum Number of Operations to Make Elements in Array Distinct

Difficulty: Easy


Problem Description

You are given an integer array nums. You need to ensure that the elements in the array are distinct. To achieve this, you can perform the following operation any number of times:

  • Remove 3 elements from the beginning of the array. If the array has fewer than 3 elements, remove all remaining elements.

Note that an empty array is considered to have distinct elements. Return the minimum number of operations needed to make the elements in the array distinct.


Key Insights

  • The goal is to remove elements in groups of three until all remaining elements are distinct.
  • An empty array is considered distinct, meaning we can stop operations once we reach an empty array or an array with all distinct elements.
  • The problem can be approached by checking duplicates in the array and calculating how many operations are required to remove them.

Space and Time Complexity

Time Complexity: O(n) - where n is the length of the array, as we will traverse it to identify duplicates.

Space Complexity: O(n) - in the worst case, we may need additional space to store the counts of elements.


Solution

To solve this problem, we can use a hash table (or dictionary) to count the occurrences of each element in the array. After that, we'll determine how many operations are needed to remove enough elements to ensure that only distinct elements remain. The algorithm follows these steps:

  1. Create a dictionary to count the occurrences of each element in nums.
  2. For each element in the dictionary, if it appears more than once, count how many additional elements need to be removed.
  3. Calculate the number of operations needed based on the total number of elements that need to be removed (removing 3 elements per operation).
  4. Return the total number of operations.

Code Solutions

def min_operations(nums):
    from collections import Counter
    
    # Count occurrences of each element
    count = Counter(nums)
    
    # Calculate the number of operations required
    total_duplicates = 0
    for freq in count.values():
        if freq > 1:
            total_duplicates += freq - 1  # Count how many need to be removed
    
    # Calculate operations (3 elements can be removed at once)
    operations = (total_duplicates + 2) // 3  # Using ceiling division to account for remainder
    return operations
← Back to All Questions