标签:返回 rac style repeat 图片 image substr find for
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 class Solution { 2 public String longestPalindrome(String s) { 3 if (s.length()<1) { 4 return ""; 5 } 6 int start = 0; // 结果字符串首位下标,最后通过下标从主串中截取返回 7 int end = 0; 8 for (int i=0;i<s.length();i++) { 9 int len1 = judge(s, i, i); //扩散方式1:从当前位置开始,对应于奇数个 10 int len2 = judge(s, i, i+1); //扩散方式2:从两数之间开始,对应于偶数个 11 int max_len = Math.max(len1, len2); 12 if(max_len > end - start + 1) { 13 start = i - (max_len-1)/2 ; ▲下面解释 14 end = i + max_len/2; 15 } 16 } 17 return s.substring(start, end+1); 18 } 19 20 public int judge(String s,int left ,int right) {
21 int L = left; 22 int R = right; 23 while(L >= 0 && R < s.length() && s.charAt(L) == s.charAt(R) ) { 24 L--; 25 R++; 26 } 27 return R-L-1; //如果是结束下标,长度应该返回 R-L+1 , 但是结束的时候 L , R各自往外移了一位,所以长度应该是 R-L-1 28 } 29 }
字符串、数组通过 中心下标 和 长度求出首尾下标的方法:
无论是列表长度是奇数还是偶数,中心位置都是一样的。
start = i + (length-1) / 2 ;
end = i = length / 2 ;
[LeetCode] 5. Longest Substring Without Repeating Characters 最长回文子串
标签:返回 rac style repeat 图片 image substr find for
原文地址:https://www.cnblogs.com/Poceer/p/10944430.html