题目链接
题目描述
给你一个字符串 s ,请你将 s 分割成一些子串,使每个子串都是 回文串 。返回 s 所有可能的分割方案。
回文串 是正着读和反着读都一样的字符串。
示例 1:
输入:s = "aab"
输出:[["a","a","b"],["aa","b"]]
示例 2:
输入:s = "a"
输出:[["a"]]
提示:
1 <= s.length <= 16 s 仅由小写英文字母组成
解题思路
切割问题可以抽象成为一个树形结构的回溯问题,如下图所示
递归用来纵向遍历,for循环用来横向遍历,切割线切割到字符串的结尾位置,说明找到了一个切割方法
回溯三部曲
-
递归函数参数与返回值
-
startIndex :控制for循环的起始位置 -
path :用来记录每一个符合条件的结果 -
ans :用来记录符合条件的结果的集合 -
递归函数终止条件
- 当切割线切到了字符串最后面,说明找到了一种切割方法,此时就是本层递归的终止条件
-
单层逻辑
[startIndex,i] 是要截取的子串,首先要判断这个子串是不是回文串,如果是回文串就添加到path 中
AC代码
class Solution {
public List<List<String>> partition(String s) {
List<String> path = new ArrayList<>();
List<List<String>> ans = new ArrayList<>();
backTracing(s, 0, path, ans);
return ans;
}
private static void backTracing(String s, int startIndex, List<String> path, List<List<String>> ans) {
if (startIndex >= s.length()) {
ans.add(new ArrayList<>(path));
return;
}
for (int i = startIndex; i < s.length(); i++) {
if (isPalindrome(s, startIndex, i)) {
String str = s.substring(startIndex, i + 1);
path.add(str);
} else {
continue;
}
backTracing(s, i + 1, path, ans);
path.remove(path.size() - 1);
}
}
private static boolean isPalindrome(String s, int start, int end) {
for (int i = start, j = end; i < j; i++, j--) {
if (s.charAt(i) != s.charAt(j)) {
return false;
}
}
return true;
}
}
|