题目描述
Given a string s, find the longest palindromic substring in s. You may assume that the maximum length of s is 1000.
Example 1:
Input: “babad”
Output: “bab”
Note: “aba” is also a valid answer.
Example 2:
Input: “cbbd”
Output: “bb”
思路
- 得到最长回文串的最长度,从中心往两边找
可能有两种情形:
(1)中心是两个相同的元素,如abbccbba,中心是cc
(2)中心是一个单独的元素,如abbebba,中心是e
最长回文串的长度就是上述两种情况得出的较大的那个值 - 根据回文串中心位置和回文串长度,表示出回文串的起始位置
- 最后将起始位置作为子串取出来
实现
class Solution {
public String longestPalindrome(String s) {
//异常情况:空串或只有一个元素
if(s.length()<2) return s;
int start=0,end=0; //最长回文串的起始位置
//遍历字符串,找到中心
for(int i=0;i<s.length();i++){
int len1=getMaxLen(s,i,i); //中心是一个单独的元素时最长回文串的长度
int len2=getMaxLen(s,i,i+1); //中心是两个相同的元素时最长回文串的长度
int maxLen=Math.max(len1,len2); //得到最大的长度
//表示出最长回文串的起始位置
if(maxLen>end-start){
start=i-(maxLen-1)/2;
end=i+maxLen/2;
}
}
return s.substring(start,end+1);
}
/*从中心往两边找
可能有两种情形:
1.中心是两个相同的元素,如abbccbba,中心是cc
2.中心是一个单独的元素,如abbebba,中心是e
*/
public int getMaxLen(String s,int left,int right){
while(left>=0 && right<s.length() && s.charAt(left)==s.charAt(right)){
left--;
right++;
}
return right-left-1;
}
}