【DP、双指针】5. Longest Palindromic Substring

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"

解题思路:

找一个字符串的最长回文子串,可以使用双指针法和动态规划法。方法同 Leetcode:
647:求一个字符串的不同回文子串个数

Python3 实现:

1、双指针法:
class Solution:
    # 方法1:分奇回文串和偶回文串
    def longestPalindrome(self, s: str) -> str:
        if s == "":
            return ""
        lens = len(s)
        maxl = 1
        maxs = s[0]
        for i in range(len(s)):
            es = self.find(s, lens, i, i+1)
            os = self.find(s, lens, i, i+2)
            if len(es) > maxl:
                maxl = len(es)
                maxs = es
            if len(os) > maxl:
                maxl = len(os)
                maxs = os
        return maxs

    def find(self, s, lens, i, j):
        while i >= 0 and j < lens and s[i] == s[j]:
            i -= 1
            j += 1
        return s[i+1:j]

print(Solution().longestPalindrome("aaa")) # "aaa"
2、动态规划法:
class Solution:
    # 方法2:dp[i][j] = True if dp[i+1][j-1] == True and s[i] == s[j]
    def longestPalindrome(self, s: str) -> str:
        if s == "":
            return ""
        lens = len(s)
        maxl = 1
        maxs = s[0]
        dp = [[False] * lens for _ in range(lens)]
        for j in range(lens):
            dp[j][j] = True
            for i in range(j-1, -1, -1):
                if i+1 <= j-1 and dp[i+1][j-1] and s[i] == s[j]:  # 奇回文串
                    dp[i][j] = True
                elif i+1 > j-1 and s[i] == s[j]:  # 偶回文串
                    dp[i][j] = True
                # 如果是回文串,更新最大长度
                if dp[i][j] and j-i+1 > maxl:
                    maxl = j-i+1
                    maxs = s[i:j+1]
        return maxs

print(Solution().longestPalindrome("babad")) # "bad"

转载于:https://www.jianshu.com/p/e71c5a055d2a

猜你喜欢

转载自blog.csdn.net/weixin_33827965/article/details/91203979