Palindromic Substrings - C++ DP with explanation
Problem Statement:
Given a string s
, return the number of palindromic substrings in it.
A string is a palindrome when it reads the same backward as forward.
A substring is a contiguous sequence of characters within the string.
Example 1:
Input: s = "abc" Output: 3 Explanation: Three palindromic strings: "a", "b", "c".
Example 2:
Input: s = "aaa" Output: 6 Explanation: Six palindromic strings: "a", "a", "a", "aa", "aa", "aaa".
Constraints:
1 <= s.length <= 1000
s
consists of lowercase English letters.
Solution:
Maintain a boolean 2D matrix table to store palindome-ity. Specifically dp[i][j]
denotes s[i,..,j]
is a palindrome or not (i and j included).
The tricky part is that you have to traverse from Length = 1 to Length = n. For each length explore all possible starting positions for i
and j then becomes i+len-1
The recurrence relation for palindrome-ity is
dp[i][j] = (s[i]==s[j] && dp[i+1][j-1])
Basically it says if the outer two characters are same and the inside string is a palindrome then as a whole is a palindrome. However, there is no inner string for strings of length 1 and 2. Hence we have to modify:
dp[i][j] = (s[i]==s[j] && (len<=2 || dp[i+1][j-1]))
C++ code:
class Solution {
public:
int countSubstrings(string s)
{
int n = s.length(), ctr = 0;
vector<vector<bool>> dp(n, vector(n,false));
for (int len=1; len<=n; len++)
{
for (int i=0; i<=n-len; i++)
{
int j = i+len-1;
if (s[i]==s[j] && (len<=2 || dp[i+1][j-1]))
{
dp[i][j] = true;
ctr++;
}
}
}
return ctr;
}
};