思路:
还是全排列的思路,列出每一种组合,然后验证是否是回文,如果是子串放入path中,在验证其他元素是否也是回文。代码如下:
class Solution {
// 主方法,用于接收一个字符串s并返回所有可能的回文分割方案
public List<List<String>> partition(String s) {
List<List<String>> ans = new ArrayList<>(); // 存储所有分割方案的结果列表
if (s == null || s.isEmpty()) { // 检查输入字符串是否为空
return ans; // 如果是空字符串,直接返回空的结果列表
}
List<String> list = new LinkedList<>(); // 用于临时存储当前探索的分割方案
process(s, 0, list, ans); // 从索引0开始递归处理字符串
return ans; // 返回所有可能的回文分割方案
}
// 辅助递归方法,用于探索所有可能的分割方式
private void process(String s, int index, List<String> path, List<List<String>> ans) {
if (index == s.length()) { // 如果当前索引已经到达字符串末尾
ans.add(new LinkedList<>(path)); // 将当前分割方案复制到结果列表中
} else {
for (int i = index; i < s.length(); i++) { // 遍历所有可能的结束位置
if (valid(s, index, i)) { // 检查当前子串是否为回文
path.add(s.substring(index, i + 1)); // 如果是回文,则添加到当前路径中
process(s, i + 1, path, ans); // 递归处理剩余的字符串
path.remove(path.size() - 1); // 回溯,移除最后添加的子串,尝试其他可能的分割
}
}
}
}
// 判断子串是否为回文的辅助方法
private boolean valid(String s, int low, int high) {
while (low < high) { // 使用双指针技术从两端向中间检查
if (s.charAt(low++) != s.charAt(high--)) { // 如果两端字符不相同
return false; // 不是回文
}
}
return true; // 所有对应的字符都相同,是回文
}
}