Very common technique use for counting number of unique elements in a list. But there’s a prerequisite that the niput array must be sorted.

Assume that the zero-th index is a unique element and initialize a k on it.

In a loop going from , if element at k is equal to element at i, that means no change has been detected. When vice-versa, update the k and override the value of N[k] with N[i].

Code

Python3

def removeDuplicates(self, N: List[int]) -> int:
 
    k = 0
 
    for i,x in enumerate(N[1:]):
        if N[k] == x:
            continue
        else:
            k += 1
            N[k] = x
 
    return k+1

Big O Analysis

  • Runtime

    The runtime complexity here is since we are visiting all elements in the array only once.

  • Memory

    The memory usage is since we dont use any extra linear datastructure.

— A

GitHub | Twitter