文章目录
- 93. 复原 IP 地址
- 解题思路
- Go代码
93. 复原 IP 地址
93. 复原 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
地址。
给定一个只包含数字的字符串 s
,用以表示一个 IP
地址,返回所有可能的有效 IP
地址,这些地址可以通过在 s
中插入 '.'
来形成。你 不能
重新排序或删除 s
中的任何数字。你可以按 任何
顺序返回答案。
示例 1:
输入:s = "25525511135"
输出:["255.255.11.135","255.255.111.35"]
示例 2:
输入:s = "0000"
输出:["0.0.0.0"]
示例 3:
输入:s = "101023"
输出:["1.0.10.23","1.0.102.3","10.1.0.23","10.10.2.3","101.0.2.3"]
提示:
- 1 <= s.length <= 20
- s 仅由数字组成
解题思路
详细题解可以看本人另一篇博客:https://blog.csdn.net/YouMing_Li/article/details/142683168
Go代码
func restoreIpAddresses(s string) []string {
// 和131分割回文串类似 题解:https://blog.csdn.net/YouMing_Li/article/details/142683168
if len(s) < 4 {
return nil
}
res := make([]string,0)
path := make([]string,0)
backtracking(s,&res,&path,0)
return res
}
func backtracking(s string,res *[]string,path *[]string,startIndex int) {
// 切割的段大于4,说明不可能是一个正确结果了,剪枝,返回
if len(*path) > 4 {
return
}
// 切割到末尾时,需要终止递归,根据是否刚好切分为了四段,将当前path加入到最终结果中
if startIndex >= len(s) {
if len(*path) == 4 {
pathStr := strings.Join(*path,".")
*res = append(*res,pathStr)
}
return
}
for i := startIndex;i < len(s);i++ {
str := s[startIndex:i + 1] // 当前切割到的子串
if !isValid(str){
break // continue也可以,不过break能剪枝更多
}
*path = append(*path,str)
backtracking(s,res,path,i + 1) // 进行下一层的递归切割
*path = (*path)[0:len(*path) - 1] // 回溯
}
}
func isValid(str string) bool {
if len(str) > 1 && str[0] == '0' { // 长度大于0,却含有前导0,不合法
return false
}
num,_ := strconv.Atoi(str)
if num > 255 { // 数字大于255,不合法
return false
}
return true
}