leetcode 131 分割回文串

leetcode 131 分割回文串_第1张图片

原题链接

  1. 实现分割字符串,使用回溯
  2. 首先定义全局变量lists和deque用于保存结果
  3. 定义回溯函数backTracking
  4. 终止条件:当传入的开始位置索引大于等于字符串的长度的时候,将deque进行保存
  5. 之后是回溯的模板:首先定义for循环开始时,先判断是不是回文串(需要另外定义isPalindrome函数),若则,使用substring来截取相应的字符,然后addlast进入deque。需要注意substring函数截取的字符串包括开始的位置,但是不包括截止的位置
  6. 然后重新进入回溯函数,此时的开始位置索引要进行+1
  7. 最后执行撤销removelast
  8. 在判断是否是回文串的isPalindrome函数中,使用双指针来进行判断
  9. 二刷:在for循环中,若判断是回文串的话,然后就截取当前的str,addLast 进入deque中,反之则continue,之后调用递归函数操作 i + 1 的位置, 递归之后执行deque 的撤销
  10. 在递归中,要移动到下一个位置,则 是 i + 1 的位置,而不是 begin + 1的位置
  11. substring 方法 中 只有两个参数(开始位置,结束位置 + 1)
  12. 截止条件是 当begin(开始位置)越界的情况出现时,则将path 保存 到res中
class Solution {
    List<List<String>> res = new ArrayList<>();
    Deque<String> path = new LinkedList<>();
    public List<List<String>> partition(String s) {
        if(s == null || s.length() == 0) return res;
        recur(s, 0);
        return res;
    }
    public void recur(String s, int begin){
        if(begin >= s.length()){
            res.add(new ArrayList<>(path));
            return;
        }
        for(int i = begin; i < s.length(); i++){
            if(judge(s, begin, i)){
                String str = s.substring(begin, i + 1);
                path.addLast(str);
            }else{
                continue;
            }
            recur(s, i + 1);
            path.removeLast();
        }
    }

    public boolean judge(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;
    }
}




class Solution {
    //定义全局变量lists和一个队列deque
    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) {
        //如果起始位置大于s的大小,说明找到了一组分割方案
        if (startIndex >= s.length()) {
            lists.add(new ArrayList(deque));
            return;
        }
        for (int i = startIndex; i < s.length(); i++) {
            //如果是回文子串,则记录:记录的方式,首先判断是否是回文串,判断
            if (isPalindrome(s, startIndex, i)) {
                //截取字符串str,从startIndex到i+1的位置 即aa,但是substring方法的结束索引不包括此位置的值
                //substring函数:截取的字符串不包括截止位置
                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;
    }
}

你可能感兴趣的:(回溯,leetcode,算法,职场和发展)