Python找回文子串的方法

solution發表於2021-09-11

Python找回文子串的方法

1、雙指標兩邊擴充套件

遍歷指標為i, j=i+1, i左移,j右移。判斷是否相等將長度,下標賦給臨時變數,最後切片返回。唯一的大坑。迴文字串長度可以是奇數也可以是偶數。奇數的時候,內層迴圈從i-1開始。邊界條件也需要處理好。

class Solution(object):
        
    def longestPalindrome(self, s):
        """
        :type s: str
        :rtype: str
        """
        n = len(s)
        maxL, maxR, max = 0, 0, 0
        for i in range(n):
            # 長度為偶數的迴文字串
            start = i
            end = i + 1
            while start >= 0 and end < n:
                if s[start] == s[end]:
                    if end - start + 1 > max:
                        max = end - start + 1
                        maxL = start
                        maxR = end
                    start -= 1
                    end += 1
                else:
                    break
    
            # 長度為奇數的迴文子串
            start = i - 1
            end = i + 1
            while start >= 0 and end < n:
                if s[start] == s[end]:
                    if end - start + 1 > max:
                        max = end - start + 1
                        maxL = start
                        maxR = end
                    start -= 1
                    end += 1
                else:
                    break
        return s[maxL:maxR+1]

2、Manacher演算法

由於在輸入預處理的步驟中,將所有的迴文子字元已經轉為奇數長度。所以在下面的操作中,只需要將輸入的每一個字元,都當做一個迴文子字元的中心位即可。不需要考慮偶數長度的迴文子字元。

'''
@author: Yizhou Zhao
'''
# 設定 radius[i] = 1, 因為字元本身也是一個迴文數
radius[i] = 1
while(string[i-radius[i]] == string[i+radius[i]]):
    radius[i] += 1

以上就是Python找回文子串的方法,希望對大家有所幫助。更多Python學習指路:

本文教程操作環境:windows7系統、Python 3.9.1,DELL G3電腦。

來自 “ ITPUB部落格 ” ,連結:http://blog.itpub.net/2459/viewspace-2830129/,如需轉載,請註明出處,否則將追究法律責任。

相關文章