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

Remove Element

Difficulty: Easy


Problem Description

Given an integer array nums and an integer val, remove all occurrences of val in nums in-place. The order of the elements may be changed. Then return the number of elements in nums which are not equal to val.


Key Insights

  • We need to modify the array in-place, meaning we cannot use additional space for a new array.
  • The order of elements does not need to be preserved, which allows for more flexibility in our approach.
  • We can use a two-pointer technique to efficiently separate values equal to val from those that are not.

Space and Time Complexity

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


Solution

We will use a two-pointer approach to solve this problem. The idea is to maintain a pointer for the position of the next valid element that is not equal to val. We will iterate through the array with another pointer and whenever we find an element that is not equal to val, we will place it at the position indicated by the first pointer and increment that pointer. This ensures that all valid elements are moved to the front of the array.


Code Solutions

def removeElement(nums, val):
    k = 0  # Pointer for the next position to place a non-val element
    for i in range(len(nums)):
        if nums[i] != val:
            nums[k] = nums[i]  # Place the non-val element at index k
            k += 1  # Move the pointer forward
    return k  # Return the count of non-val elements
← Back to All Questions