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.數組
For example, given s = "aab", Return 1 since the palindrome partitioning ["aa","b"] could be produced using 1 cut.code
用cuts[i]表示當前位置最少須要切幾回使每一個部分都是迴文。若是s(j,i)這部分是迴文,就有cuts[i] = cuts[j-1] + 1。
如今咱們須要作的就是對於已經搜索並肯定的迴文部分,用一個二維數組來表示。matrix[j] [i]表示j到i這部分是迴文。
若是s.charAt(i) == s.charAt(j) && isPalindrome[j+1] [i-1]是迴文,則不需重複該部分的搜索。isPalindrome[j] [i]也是迴文。string
以"abcccba"爲例:
i不斷向後掃描, j從頭開始知道i(包含i).
i=3即第二個c那裏,j走到2, c[i] == c[j] == 'c' && i - j = 1 < 2, 填表,求最值。
i=4即第三個c那裏,j走到2, c[i] == c[j] == 'c' && isPalindrome(2+1,4-1), 填表,求最值。
i=5即第二個b那裏,j走到1, c[i] == c[j] == 'b' && isPalindrome(1+1,5-1)即「ccc「, 填表,求最值。
使用isPalindrome的好處就是能夠O(1)的時間,也就是判斷頭尾就能夠肯定迴文。不須要依次檢查中間部分。it
public class Solution { public int minCut(String s) { char[] c = s.toCharArray(); int n = s.length(); int[] cuts = new int[n]; // cuts[i] = cut[j-1] + 1 if [j,i] is panlindrome boolean[][] isPalindrome = new boolean[n][n]; // isPalindrome[j][i] means [j,i] is panlidrome for(int i=0; i<n; i++){ int min = i; // maximun cuts for position i, each panlidrome only length of one for(int j=0; j<=i; j++){ if(c[i] == c[j] && ( i-j < 2 || isPalindrome[j+1][i-1]) ){ isPalindrome[j][i] = true; min = j == 0 ? 0 : Math.min(min, cuts[j-1] + 1); } } cuts[i] = min; } return cuts[n-1]; } }