代码随想录算法训练营,9月20日 | 93.复原IP地址,78.子集,90.子集II
93.复原IP地址
题目链接:93.复原IP地址
文档讲解︰代码随想录(programmercarl.com)
视频讲解︰复原IP地址
日期:2024-09-20
Java代码如下:
class Solution {
List<String> res = new ArrayList<>();
private void backTracking(String s, int startIndex, int pointNum){
if(pointNum == 3){
if(isValid(s, startIndex, s.length() - 1)){
res.add(s);
}
return;
}
for(int i = startIndex; i < s.length(); i++) {
if (isValid(s, startIndex, i)) {
s = s.substring(0, i + 1) + "." + s.substring(i + 1);//在str的后⾯插⼊⼀个逗点
pointNum++;
backTracking(s, i + 2, pointNum);// 插⼊逗点之后下⼀个⼦串的起始位置为i+2
pointNum--;// 回溯
s = s.substring(0, i + 1) + s.substring(i + 2);// 回溯删掉逗点
} else {
break;
}
}
}
private boolean isValid(String s, int start, int end){
if (start > end) {
return false;
}
if (s.charAt(start) == '0' && start != end) {
return false;
}
int num = 0;
for (int i = start; i <= end; i++) {
if (s.charAt(i) > '9' || s.charAt(i) < '0') {
return false;
}
num = num * 10 + (s.charAt(i) - '0');
if (num > 255) {
return false;
}
}
return true;
}
public List<String> restoreIpAddresses(String s) {
backTracking(s, 0, 0);
return res;
}
}
78.子集
题目链接:78.子集
文档讲解︰代码随想录(programmercarl.com)
视频讲解︰子集
日期:2024-09-20
想法:与前面组合问题不同点在于是要遍历树的所有节点,而不是叶子了,终止条件与for的范围是重叠了所以可以没有。
Java代码如下:
class Solution {
List<Integer> path = new ArrayList<>();
List<List<Integer>> res = new ArrayList<>();
public void backTracking(int[] nums, int startIndex) {
res.add(new ArrayList(path));
for(int i = startIndex; i < nums.length; i++){
path.add(nums[i]);
backTracking(nums, i + 1);
path.removeLast();
}
}
public List<List<Integer>> subsets(int[] nums) {
backTracking(nums, 0);
return res;
}
}
90.子集II
题目链接:90.子集II
文档讲解︰代码随想录(programmercarl.com)
视频讲解︰子集II
日期:2024-09-20
想法:跟昨天去重手段一样。
Java代码如下:
//不用used数组
class Solution {
List<Integer> path = new ArrayList<>();
List<List<Integer>> res = new ArrayList<>();
public void backTracking(int[] nums, int startIndex) {
res.add(new ArrayList(path));
for(int i = startIndex; i < nums.length; i++){
if(i > startIndex && nums[i] == nums[i - 1]){
continue;
}
path.add(nums[i]);
backTracking(nums, i + 1);
path.removeLast();
}
}
public List<List<Integer>> subsetsWithDup(int[] nums) {
Arrays.sort(nums);
backTracking(nums, 0);
return res;
}
}
//使用used数组
class Solution {
List<Integer> path = new ArrayList<>();
List<List<Integer>> res = new ArrayList<>();
boolean[] used;
public void backTracking(int[] nums, int startIndex) {
res.add(new ArrayList(path));
for(int i = startIndex; i < nums.length; i++){
if(i > startIndex && used[i - 1] == false && nums[i] == nums[i - 1]){
continue;
}
path.add(nums[i]);
used[i] = true;
backTracking(nums, i + 1);
path.removeLast();
used[i] = false;
}
}
public List<List<Integer>> subsetsWithDup(int[] nums) {
used = new boolean[nums.length];
Arrays.fill(used, false);
Arrays.sort(nums);
backTracking(nums, 0);
return res;
}
}
总结:注意判定条件i > startIndex才是进入同一层后面,写的时候想了好一会。