Given a string s, find the longest palindromic substring in s. You may assume that the maximum length of s is 1000.算法
Example:數組
Input: "babad" Output: "bab" Note: "aba" is also a valid answer.
Example:spa
Input: "cbbd" Output: "bb"
題目描述:給定字符串,求出最大的迴文串,結果可能有多種,返回一種便可;code
算法分析:blog
採用動態規劃的思想,用二維數組DP[j][i]來表示第j個字符到第i個字符是不是迴文,所以能夠用兩個for循環來解決填表問題,填表的時候應當使i、j從同一點開始,一次循環中,保證i不動,j從i往前直到0,這樣才能保證動態規劃表達式的正確性。動態規劃表達式爲DP[j][i]=(DP[j+1][i-1] | | i-j<=2)&&s[i]==s[j]字符串
代碼:string
class Solution { public String longestPalindrome(String s) { if(s==null) return ""; boolean[][] dp = new boolean[s.length()][s.length()]; int maxLen=0; String res=""; for(int i=0;i<s.length();i++){ for(int j=i;j>=0;j--){ if(s.charAt(j)==s.charAt(i)&&(i-j<2||dp[j+1][i-1])){ dp[j][i]=true; if(i-j+1>maxLen){ maxLen=i-j+1; res=s.substring(j,i+1); } } } } return res; } }