LeetCode93. 复原 IP 地址
给定一个只包含数字的字符串,用以表示一个 IP 地址,返回所有可能从 s 获得的 有效 IP 地址 。你可以按任何顺序返回答案。
有效 IP 地址 正好由四个整数(每个整数位于 0 到 255 之间组成,且不能含有前导 0),整数之间用 '.' 分隔。
例如:"0.1.2.201" 和 "192.168.1.1" 是 有效 IP 地址,但是 "0.011.255.245"、"192.168.1.312" 和 "192.168@1.1" 是 无效 IP 地址。
示例 1:
输入:s = "25525511135"
输出:["255.255.11.135","255.255.111.35"]
示例 2:
输入:s = "0000"
输出:["0.0.0.0"]
示例 3:
输入:s = "1111"
输出:["1.1.1.1"]
示例 4:
输入:s = "010010"
输出:["0.10.0.10","0.100.1.0"]
示例 5:
输入:s = "101023"
输出:["1.0.10.23","1.0.102.3","10.1.0.23","10.10.2.3","101
class Solution {
static final int sumCount = 4;
List<String> ans = new ArrayList<>();
int[] adres = new int[sumCount];
public List<String> restoreIpAddresses(String s) {
//回溯法
adres = new int[sumCount];
dfs(s,0,0);
return ans;
}
public void dfs(String s,int indexCount,int indexStart)
{
//先写base case,当成功找到一个合规的字符串时
//遍历到第四段,且到达字符串末尾
if(indexCount == sumCount)
{
if(indexStart == s.length())
{
StringBuffer res = new StringBuffer();
for(int i = 0;i<sumCount;i++)
{
res.append(adres[i]);
if(i!=sumCount-1)
res.append('.');
}
ans.add(res.toString());
}
return ;
}
//提前遍历完字符串,但未形成4段时直接回溯
if(indexStart == s.length())
return;
//由于不能有前导0,所以当当前位置为0时该段只能为0
if(s.charAt(indexStart) == '0')
{
adres[indexCount] = 0;
dfs(s, indexCount+1, indexStart+1);
}
//一般情况,枚举所有情况并执行
int tempAdrs = 0;
for(int startEnd = indexStart;startEnd<s.length();++startEnd)
{
tempAdrs = tempAdrs * 10 + s.charAt(startEnd) - '0';
if(tempAdrs > 0 && tempAdrs <= 0xFF)
{
adres[indexCount] = tempAdrs;
dfs(s, indexCount+1, startEnd+1);
}
else
break;
}
}
}