leetcode409. 最长回文串

给定一个包含大写字母和小写字母的字符串,找到通过这些字母构造成的最长的回文串。

在构造过程中,请注意区分大小写。比如 “Aa” 不能当做一个回文字符串。

注意:
假设字符串的长度不会超过 1010。

示例 1:

输入:
"abccccdd"

输出:
7

解释:
我们可以构造的最长的回文串是"dccaccd", 它的长度是 7

完整代码

基本思想:

  • 定义map统计每一个字母出现的次数
  • 遍历map,如果是偶数,全部使用,如果是奇数,减一使用
  • 最后,如果有奇数个字母出现,那么只能出现一次,+1即可。
class Solution {
public:
    int longestPalindrome(string s) {
        if(s.length() == 0)
            return 0;
        unordered_map<char, int> m;
        for(auto a : s){
            ++m[a];
        }
        int res = 0, p = 0;
        for(auto a : m){
            if(a.second % 2 == 0)
                res += a.second;
            else{
                res += a.second - 1;
                p = 1;                    
            }
            //cout << a.first << " " << a.second <
        }
        res += p;
        return res;
    }
};

你可能感兴趣的:(#,字符串,回文)