Intervue featured on Shark TankIntervue featured on Shark Tank - mobile banner

Restore IP Addresses

Given a string containing only digits, restore it by returning all possible valid IP address combinations.

Constraints:

  • The given string may contain leading zeros.
  • The length of the given string will be between 4 and 12.
  • The restored IP address must be in the format of four sections separated by dots, and each section must be a number between 0 and 255.

Examples:

Input: "25525511135"

Output: ["255.255.11.135","255.255.111.35"]

Explanation: The given string can be restored to two valid IP addresses: "255.255.11.135" and "255.255.111.35".

Solutions

Backtracking

Time: O(2^n)Space: O(n)

The solution uses a backtracking approach to generate all possible valid IP addresses. It iterates over the string and tries to split it into four sections. For each section, it checks if the section is valid (i.e., it does not start with '0' unless it is '0' itself, and its value is not greater than 255). If the section is valid, it adds it to the current path and recursively calls the backtrack function with the remaining string. If the path has four sections and the remaining string is empty, it adds the path to the result list.

vector<string> restoreIpAddresses(string s) {
  vector<string> res;
  vector<string> path;
  backtrack(s, path, res);
  return res;
}
void backtrack(string s, vector<string>& path, vector<string>& res) {
  if (path.size() == 4) {
    if (s.length() == 0) {
      string ip;
      for (int i = 0;
      i < path.size();
      i++) {
        ip += path[i];
        if (i < path.size() - 1) {
          ip += ".";
        }
      }
      res.push_back(ip);
    }
    return;
  }
  for (int i = 1;
  i <= 3;
  i++) {
    if (s.length() < i) {
      break;
    }
    string cur = s.substr(0, i);
    if ((cur.length() > 1 && cur[0] == '0') || stoi(cur) > 255) {
      continue;
    }
    path.push_back(cur);
    backtrack(s.substr(i), path, res);
    path.pop_back();
  }
}

Difficulty: Medium

Category: Backtracking

Frequency: High

Company tags:

GoogleAmazonMicrosoft