132. 分割回文串 II

给你一个字符串 s,请你将 s 分割成一些子串,使每个子串都是回文。

返回符合要求的 最少分割次数 。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/palindrome-partitioning-ii
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

class Solution {
    public int minCut(String s) {
        int n = s.length();
        boolean[][] ok = new boolean[n][n];
        for (int i = 0; i < s.length(); ++i) {
            ok[i][i] = true;
            if (i > 0) {
                if (s.charAt(i - 1) == s.charAt(i)) {
                    ok[i - 1][i] = true;
                }
            }
        }
        for (int i = n - 2; i >= 0; --i) {
            for (int j = i + 2; j < n; ++j) {
                if (s.charAt(i) == s.charAt(j)) {
                    ok[i][j] = ok[i + 1][j - 1];
                }
            }
        }

        int[] dp = new int[n];
        for (int i = 0; i < n; ++i) {
            if (!ok[0][i]) {
                dp[i] = i + 1;
                for (int j = 0; j < i; ++j) {
                    if (ok[j + 1][i]) {
                        dp[i] = Math.min(dp[i], 1 + dp[j]);
                    }
                }
            }
        }

        return dp[n - 1];
    }
}
上一篇:LeetCode 55.45.跳跃游戏I&II(贪心)


下一篇:剑指 Offer 10- II. 青蛙跳台阶问题