用于记录为期60天的算法提升过程,今天是第28天
有效 IP 地址 正好由四个整数(每个整数位于 0 到 255 之间组成,且不能含有前导 0),整数之间用 ‘.’ 分隔。
例如:“0.1.2.201” 和 “192.168.1.1” 是 有效 IP 地址,但是 “0.011.255.245”、“192.168.1.312” 和 “[email protected]” 是 无效 IP 地址。
给定一个只包含数字的字符串 s ,用以表示一个 IP 地址,返回所有可能的有效 IP 地址,这些地址可以通过在 s 中插入 ‘.’ 来形成。你 不能 重新排序或删除 s 中的任何数字。你可以按 任何 顺序返回答案。
分割题。
var(
path []string
res []string
)
func restoreIpAddresses(s string )[]string{
path,res = make([]string ,0,len(s)),make([]string ,0)
dfs(s,0)
return res
}
func dfs(s string ,start int ){
if len(path) ==4{
if start ==len(s){
str := strings.Join(path,".")
res = append(res,str)
}
return
}
for i:=start;i<len(s);i++{
if i!=start && s[start] == '0'{break;}
str :=s[start:i+1]
num,_:= strconv.Atoi(str)
if num >=0 && num <= 255{
path =append(path,str)
dfs(s,i+1)
path = path[:len(path)-1]
}else{break}
}
}
给你一个整数数组 nums ,数组中的元素 互不相同 。返回该数组所有可能的子集(幂集)。
解集 不能 包含重复的子集。你可以按 任意顺序 返回解集。
保存每一步回溯的过程即可。
var(
path []int
res [][]int
)
func subsets(nums []int)[][]int{
res,path = make([][]int, 0),make([]int,0,len(nums))
dfs(nums,0)
return res
}
func dfs(nums []int ,start int){
tmp :=make([]int,len(path))
copy(tmp,path)
res = append(res,tmp)
for i:=start;i<len(nums);i++{
path = append(path,nums[i])
dfs(nums,i +1)
path = path[:len(path)-1]
}
}
给你一个整数数组 nums ,其中可能包含重复元素,请你返回该数组所有可能的子集(幂集)。
解集 不能 包含重复的子集。返回的解集中,子集可以按 任意顺序 排列。
sort 使之有序,保存每一步回溯的过程,并加入一个判断即可。
var(
path []int
res [][]int
)
func subsetsWithDup(nums []int )[][]int{
path,res = make([]int ,0),make([][]int,0)
sort.Ints(nums)
dfs(nums,0)
return res
}
func dfs(nums []int ,start int){
tmp :=make([]int,len(path))
copy(tmp,path)
res = append(res,tmp)
for i:=start;i<len(nums);i++{
if i!=start && nums[i] == nums[i-1]{continue}
path = append(path,nums[i])
dfs(nums,i+1)
path=path[:len(path)-1]
}
}