Palindromic Substrings

Given a string, your task is to count how many palindromic substrings in this string.

The substrings with different start indexes or end indexes are counted as different substrings even they consist of same characters.

The input string length won't exceed 1000Have you met this question in a real interview? YesProblem Correction

Example

Input: "abc"
Output: 3
Explanation: Three palindromic strings: "a", "b", "c".

以字符串中的每一个字符都当作回文串中间的位置,然后向两边扩散,每当成功匹配两个左右两个字符,结果res自增1,然后再比较下一对。注意回文字符串有奇数和偶数两种形式,如果是奇数长度,那么i位置就是中间那个字符的位置,所以我们左右两遍都从i开始遍历;如果是偶数长度的,那么i是最中间两个字符的左边那个,右边那个就是i+1,这样就能cover所有的情况啦,而且都是不同的回文子字符串,

public class Solution {
    /**
     * @param str: s string
     * @return: return an integer, denote the number of the palindromic substrings
     */
    public int countPalindromicSubstrings(String str) {
        // write your code here
        
        
        if(str == null || str.length() == 0)
            return 0;
            
        int size = str.length(), res = 0;
        
        
        for (int i = 0 ; i < size ;i++ ){
            res += helper(str,i,i);
            res += helper(str,i,i+1);
        } 
        
        return res;
    }
    
    public int helper(String str, int i , int j){
        int res = 0;
        
        while(i >= 0 && j < str.length() && str.charAt(i)== str.charAt(j)){
            i--;
            j++;
            res++;
        }
        
        return res;
    }
}

Last updated