LeetCode 647回文子串

LeetCode 647回文子串Medium

  • 题目简述:给定一个字符串,你的任务是计算这个字符串中有多少个回文子串。具有不同开始位置或结束位置的子串,即使是由相同的字符组成,也会被计为是不同的子串。输入的字符串长度不会超过1000。

  • 输入:“abc” 输出:3 解释:三个回文子串: “a”, “b”, “c”.

    输入:“aaa” 输出:6 解释:6个回文子串: “a”, “a”, “a”, “aa”, “aa”, “aaa”.

  • 思路:中心扩展法O(n2)

    • 遍历字符串每次固定回文子串的中间位置,然后向左右开始扩展
    • 固定中间字符后分为奇数和偶数长度两种情况统计答案
class Solution {
public:
    int cnt = 0;
    void extendSubstrings(string s, int l, int r) 
    {       
        while(l >= 0 && r < s.size() && s[l] == s[r])
        {
            l--;
            r++;
            cnt++;
        }
    }
    int countSubstrings(string s) {
        for(int i = 0; i < s.size(); i++)
        {
            extendSubstrings(s, i, i);// 奇数长度
            extendSubstrings(s, i, i + 1);// 偶数长度
        }
        return cnt;
    }
};

你可能感兴趣的:(LeetCode)