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

Decode String

Difficulty: Medium


Problem Description

Given an encoded string, return its decoded string. The encoding rule is: k[encoded_string], where the encoded_string inside the square brackets is being repeated exactly k times. Note that k is guaranteed to be a positive integer.


Key Insights

  • The encoded string can contain nested patterns, requiring a method to handle recursion or stack-based approaches.
  • The digits preceding the brackets indicate how many times the string inside the brackets should be repeated.
  • Valid input ensures well-formed brackets and no extraneous characters, simplifying parsing.

Space and Time Complexity

Time Complexity: O(n), where n is the length of the input string. Each character is processed once. Space Complexity: O(n), in the worst case, for the stack or the output string storage.


Solution

To decode the string, we can use a stack to keep track of the current decoded string and the number of times we need to repeat sections of the string. We iterate through each character in the string, and for digits, we build the multiplier; for open brackets, we push the current string and multiplier onto the stack; for closing brackets, we pop from the stack and repeat the string accordingly.


Code Solutions

def decodeString(s: str) -> str:
    stack = []  # Stack to hold the current string and repeat count
    current_num = 0  # Current number of repetitions
    current_string = ''  # Current string being built

    for char in s:
        if char.isdigit():  # If character is a digit
            current_num = current_num * 10 + int(char)  # Build the number
        elif char == '[':  # If character is an opening bracket
            stack.append((current_string, current_num))  # Push current string and num to stack
            current_string = ''  # Reset current string
            current_num = 0  # Reset current number
        elif char == ']':  # If character is a closing bracket
            last_string, num = stack.pop()  # Pop from stack
            current_string = last_string + current_string * num  # Decode the string
        else:  # If character is a letter
            current_string += char  # Build the current string

    return current_string  # Return the final decoded string
← Back to All Questions