标签:style blog color io ar for sp div on
Given a string s, partition s such that every substring of the partition is a palindrome.
Return the minimum cuts needed for a palindrome partitioning of s.
class Solution { public: int minCut(string s) { int len=s.length(); vector<int>f(len+1); vector<vector<bool>>d(len,vector<bool>(len)); for(int i=0; i<=len; i++) f[i]=len-1-i; for(int i=len-1; i>=0; i--){ for(int j=i; j<len; j++){ if(s[i]==s[j]&&(j-i<2||d[i+1][j-1])){ d[i][j]=true; f[i]=min(f[i],f[j+1]+1); } } } return f[0]; } };
分析:
1、f[i]表示区间 [i, n-1] 之间最小的 cut 数,初始值为每个字符简都需cut(不存在回文串情况), n 为字符串长度,则状态转移方程为f (i ) = min {f (j + 1) + 1 } , i ≤ j < n
f[i]=min(f[i],f[j+1]+1); 中+1表示遇到回文串cut一次,再加上之后的cut数
2、回文串的处理:定义状态d[i][j]表示i到j间是否为回文,s[i]==s[j]&&(j-i<2||d[i+1][j-1])表示如果当前字符相同,并且上一状态为回文,则当前状态为回文。
leetcode Palindrome Partitioning II
标签:style blog color io ar for sp div on
原文地址:http://www.cnblogs.com/vegg117/p/4036365.html