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

Find And Replace in String

Difficulty: Medium


Problem Description

You are given a 0-indexed string s that you must perform k replacement operations on. The replacement operations are given as three 0-indexed parallel arrays, indices, sources, and targets, all of length k. Each replacement operation checks if a substring from sources occurs at a specified index in s and replaces it with the corresponding target if it does. All replacements must occur simultaneously.


Key Insights

  • Each replacement must be checked independently based on the provided indices.
  • Replacements do not affect each other's positions, meaning no overlap will occur in the replacements.
  • Efficiently checking for substring matches and replacing them is crucial for performance.

Space and Time Complexity

Time Complexity: O(k * m), where k is the number of replacements and m is the maximum length of the substrings in sources. Space Complexity: O(n), where n is the length of the final string after replacements.


Solution

To solve the problem, we will:

  1. Iterate through each replacement operation using the indices array.
  2. For each operation, check if the substring in sources exists at the specified index in the original string s.
  3. If it exists, replace that substring with the corresponding target from the targets array.
  4. Use a list to construct the modified string to avoid multiple string concatenations, which can be inefficient.

Code Solutions

def findReplaceString(s, indices, sources, targets):
    # Prepare a list to store the final result
    result = list(s)
    
    # Iterate through each replacement operation
    for i in range(len(indices)):
        index = indices[i]
        source = sources[i]
        target = targets[i]
        
        # Check if the substring matches the source at the given index
        if s[index:index + len(source)] == source:
            # Replace the source substring with the target
            result[index:index + len(source)] = list(target)
    
    # Join the list back into a string and return
    return ''.join(result)
← Back to All Questions