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

Defanging an IP Address

Difficulty: Easy


Problem Description

Given a valid (IPv4) IP address, return a defanged version of that IP address. A defanged IP address replaces every period "." with "[.]".


Key Insights

  • The input is guaranteed to be a valid IPv4 address.
  • The main task is string manipulation, specifically replacing characters.
  • The solution needs to handle each character in the string to ensure all periods are replaced.

Space and Time Complexity

Time Complexity: O(n), where n is the length of the input IP address. Each character is processed exactly once. Space Complexity: O(n), as we need to store the new defanged IP address.


Solution

The problem can be solved using a straightforward string manipulation approach. We can iterate through the characters of the input IP address and build a new string. For each character, if it is a period (.), we append "[.]" to the new string; otherwise, we append the character itself. This approach efficiently constructs the desired output.


Code Solutions

def defangIPaddr(address: str) -> str:
    # Initialize an empty result string
    result = ""
    # Iterate through each character in the input address
    for char in address:
        # If the character is a period, append "[.]" to the result
        if char == ".":
            result += "[.]"
        else:
            # Otherwise, append the character itself
            result += char
    return result
← Back to All Questions