其他分享
首页 > 其他分享> > leetcode131-分割回文串

leetcode131-分割回文串

作者:互联网

分割回文串

先通过dp记录子字符串是否为回文串,dp[i][j]表示从i开始到j结束的字符串是否为回文串。注意,i的遍历要从后往前。
然后从0开始进行dfs。在dfs中,找出所有以k为起始字符的回文子串,然后加入路径中,继续进行dfs,直到k == n为止

class Solution {
    List<List<String>> list = new ArrayList<>();
    List<String> path = new ArrayList<>();
    boolean dp[][];
    public List<List<String>> partition(String s) {
        int n = s.length();
        dp = new boolean[n][n];
        for(int i = n-1; i >= 0; i--){
            for(int j = i; j < n; j++){
                if(i == j)  dp[i][j] = true;
                else if(i == j-1)   dp[i][j] = s.charAt(i) == s.charAt(j);
                else    dp[i][j] = dp[i+1][j-1] && s.charAt(i) == s.charAt(j);
            }
        }
        dfs(0, n, s);
        return list;
    }
    public void dfs(int k, int n, String s){
        if(k == n){
            list.add(new ArrayList<>(){{addAll(path);}});
            return;
        }
        for(int i = k; i < n; i++){
            if(dp[k][i]){
                path.add(s.substring(k, i+1));
                dfs(i+1, n, s);
                path.remove(path.size()-1);
            }
        }
    }
}

标签:分割,int,dfs,leetcode131,new,path,dp,回文
来源: https://www.cnblogs.com/xzh-yyds/p/16594842.html