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

Remove Duplicates from Sorted Array

Difficulty: Easy


Problem Description

Given an integer array nums sorted in non-decreasing order, remove the duplicates in-place such that each unique element appears only once. The relative order of the elements should be kept the same. Then return the number of unique elements in nums.


Key Insights

  • The input array is sorted, which allows us to use a two-pointer technique to efficiently identify unique elements.
  • We can overwrite duplicates in the array while maintaining the order of unique elements.
  • The remaining elements beyond the first k unique elements can be ignored.

Space and Time Complexity

Time Complexity: O(n), where n is the number of elements in the array. Space Complexity: O(1), since we are modifying the array in place and not using additional data structures.


Solution

We will use a two-pointer technique:

  1. Use one pointer to iterate through the array (the reader).
  2. Use another pointer to track the position where the next unique element should be placed (the writer).
  3. If the current element is different from the last unique element found, we place it at the writer's position and increment the writer pointer.
  4. Finally, the writer pointer will represent the number of unique elements.

Code Solutions

def removeDuplicates(nums):
    if not nums:
        return 0
    
    write_index = 1  # Pointer for the position of the next unique element
    
    for i in range(1, len(nums)):
        if nums[i] != nums[i - 1]:  # Found a new unique element
            nums[write_index] = nums[i]  # Place it at the write_index
            write_index += 1  # Move write_index forward
    
    return write_index  # The number of unique elements
← Back to All Questions