review回文子串

给你一个字符串 s,请你将 s 分割成一些子串,使每个子串都是 回文串 。返回 s 所有可能的分割方案。

回文串 是正着读和反着读都一样的字符串。
review回文子串_第1张图片

class Solution {
    List<List<String>> lists = new ArrayList<>(); // 用于存储所有可能的分割方案
    Deque<String> deque = new LinkedList<>(); // 用于存储当前的分割组合
    
    public List<List<String>> partition(String s) {
        backTracking(s, 0); // 开始回溯搜索
        return lists; // 返回所有分割方案
    }

    private void backTracking(String s, int startIndex) {
        if (startIndex >= s.length()) { // 终止条件:如果起始位置大于等于字符串长度,说明找到了一组分割方案
            lists.add(new ArrayList(deque)); // 将当前的分割组合添加到结果列表中
            return; // 结束当前回溯
        }

        for (int i = startIndex; i < s.length(); i++) { // 从起始位置开始遍历字符串
            if (isPalindrome(s, startIndex, i)) { // 如果从起始位置到当前位置的子串是回文串
                String str = s.substring(startIndex, i + 1); // 获取回文子串
                deque.addLast(str); // 将回文子串添加到当前的分割组合中
            } else {
                continue; // 如果不是回文串,则继续尝试下一个位置的子串
            }
            
            backTracking(s, i + 1); // 递归调用,向后继续搜索剩余部分的回文串
            deque.removeLast(); // 回溯到上一层状态,将最后添加的回文子串移除
        }
    }

    private boolean isPalindrome(String s, int startIndex, int end) {
        for (int i = startIndex, j = end; i < j; i++, j--) {
            if (s.charAt(i) != s.charAt(j)) { // 如果首尾字符不相等,则不是回文串
                return false;
            }
        }
        return true; // 遍历完整个子串,都没有发现不相等的字符,说明是回文串
    }
}

注意:stratInde索引的起始位置使0,以及应(s,i+1)即(s,i]表示每个子串。跳转的下个子串索引从i+1开始。

你可能感兴趣的:(算法)