给定一个字符串 s,将 s 分割成一些子串,使每个子串都是回文串。
返回 s 符合要求的的最少分割次数。
例如,给出 s = "aab",
返回 1 因为进行一次分割可以将字符串 s 分割成 ["aa","b"] 这样两个回文子串。
详见:https://leetcode.com/problems/palindrome-partitioning-ii/description/
class Solution { public: int minCut(string s) { int len = s.size(); int dp[len + 1]; for (int i = 0; i <= len; ++i) { dp[i] = len - i - 1; } vector<vector<bool>> isP(len,vector<bool>(len,false)); for (int i = len - 1; i >= 0; --i) { for (int j = i; j < len; ++j) { if (s[i] == s[j] && (j - i <= 1 || isP[i + 1][j - 1])) { isP[i][j] = true; dp[i] = min(dp[i], dp[j + 1] + 1); } } } return dp[0]; } };
参考:https://www.cnblogs.com/springfor/p/3891896.html
原文地址:https://www.cnblogs.com/xidian2014/p/8723661.html
时间: 2024-10-12 05:36:50