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

Remove All Occurrences of a Substring

Difficulty: Medium


Problem Description

Given two strings s and part, perform the following operation on s until all occurrences of the substring part are removed:

  • Find the leftmost occurrence of the substring part and remove it from s. Return s after removing all occurrences of part.

Key Insights

  • The problem requires iterative removal of a substring from a string until none are left.
  • The leftmost occurrence should be targeted for removal each time.
  • The solution can utilize string manipulation techniques to efficiently find and remove the substring.

Space and Time Complexity

Time Complexity: O(n * m), where n is the length of string s and m is the length of substring part. In the worst case, we may have to scan the entire string multiple times. Space Complexity: O(1) if we consider the output string to be the only additional space used, or O(n) for the new string created in the process.

Solution

To solve this problem, we can use a simple iterative approach with string manipulation. We will repeatedly search for the substring part in the string s and remove it until it can no longer be found. The algorithm utilizes the built-in string search function to locate the substring and constructs a new string each time a removal occurs.


Code Solutions

def removeOccurrences(s: str, part: str) -> str:
    while part in s:  # Continue until 'part' is no longer found in 's'
        s = s.replace(part, '', 1)  # Remove the leftmost occurrence of 'part'
    return s
← Back to All Questions