-
Notifications
You must be signed in to change notification settings - Fork 52
/
Copy pathLongest_Palindromic_Substring.py
23 lines (21 loc) · 1.16 KB
/
Longest_Palindromic_Substring.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
class Solution:
def longestPalindrome(self, s: str) -> str:
longest_palindrom = ''
dp = [[0]*len(s) for _ in range(len(s))]
#filling out the diagonal by 1
for i in range(len(s)):
dp[i][i] = True
longest_palindrom = s[i]
# filling the dp table
for i in range(len(s)-1,-1,-1):
# j starts from the i location : to only work on the upper side of the diagonal
for j in range(i+1,len(s)):
if s[i] == s[j]: #if the chars mathces
# if len slicied sub_string is just one letter if the characters are equal, we can say they are palindomr dp[i][j] =True
#if the slicied sub_string is longer than 1, then we should check if the inner string is also palindrom (check dp[i+1][j-1] is True)
if j-i ==1 or dp[i+1][j-1] is True:
dp[i][j] = True
# we also need to keep track of the maximum palindrom sequence
if len(longest_palindrom) < len(s[i:j+1]):
longest_palindrom = s[i:j+1]
return longest_palindrom