一、复原IP地址
93. 复原 IP 地址 - 力扣(LeetCode)
class Solution {
//画图理解
public List<String> restoreIpAddresses(String s) {
//定义表示一个字符长度的变量
int len = s.length();
//定义一个返回结果的集合
List<String> res = new ArrayList<>();
//如果当前字符长度大于12或者小于4都不满足
if(len > 12 || len <4){
return res;
}
//定义一个保存路径上的变量
Deque<String> path = new ArrayDeque<>();
//深度优先搜索
dfs(s,len, 0, 4, path, res);
//返回结果
return res;
}
public void dfs(String s, int len, int begin, int residue, Deque<String> path, List<String> res){
//如果字符串已经遍历到最后了,并且已经切分为4段了,
//就把当前路径上的元素加入到返回的结果集中
if(begin == len){
if(residue ==0){
res.add(String.join(".", path));
}
return;
}
//begin表示遍历字符串从哪里开始
for(int i = begin; i < begin+3; i++){
//如果超出字符串的长度,就直接退出
//begin,每次选择都是从之前选择的元素的下一个元素开始,
if(i >= len){
break;
}
//如果剩余元素大于ip最多能容纳的个数,就剪枝。
if(len -i > residue * 3){
continue;
}
//判断当前截取字符是否是小于0或者大于255
//这里的begin和i,代表的是,这时候截取了几个字符
//begin从哪里开始,i到哪里结束
if(judgeIpSegment(s, begin, i)){
//保留当前截取字符
String currentIpSegment = s.substring(begin, i+1);
//将当前路径上的元素加入到路径队列中
path.addLast(currentIpSegment);
//递归下一层
dfs(s, len, i+1,residue -1, path, res);
//回溯
path.removeLast();
}
}
}
private boolean judgeIpSegment(String s, int left, int right){
//定义一个表示整个字符的长度
int len = right - left +1;
//如果截取的大于等于2的字符的开头为0,就直接false
if(len > 1 && s.charAt(left) == '0'){
return false;
}
//定义返回结果的集合
int res = 0;
//拼接字符
while(left <= right){
//res*10 是为了将先加的字符默认比后面的字符大10倍,也就是位数是从小到大
res = res * 10 + s.charAt(left) - '0';
left++;
}
return res >= 0 && res <= 255;
}
}
二、子集
78. 子集 - 力扣(LeetCode)
public static void backtrack(int[] nums, int i, List<Integer> sub, List<List<Integer>> res) {
for (int j = i; j < nums.length; j++) {
if (j > i && nums[j] == nums[j - 1]) continue;
sub.add(nums[j]);
res.add(new ArrayList<Integer>(sub));
backtrack(nums, j + 1, sub, res);
sub.remove(sub.size() - 1);
}
}
三、子集II
90. 子集 II - 力扣(LeetCode)文章来源:https://uudwc.com/A/zkrrO
class Solution {
List<List<Integer>> res = new ArrayList<>();
LinkedList<Integer> path = new LinkedList<>();
public List<List<Integer>> subsetsWithDup( int[] nums ) {
Arrays.sort( nums );
subsetsWithDupHelper( nums, 0 );
return res;
}
private void subsetsWithDupHelper( int[] nums, int start ) {
res.add( new ArrayList<>( path ) );
for ( int i = start; i < nums.length; i++ ) {
// 跳过当前树层使用过的、相同的元素
if ( i > start && nums[i - 1] == nums[i] ) {
continue;
}
path.add( nums[i] );
subsetsWithDupHelper( nums, i + 1 );
path.removeLast();
}
}
}
文章来源地址https://uudwc.com/A/zkrrO