-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathDay-14-Longest Palindrome.cpp
58 lines (39 loc) · 1.12 KB
/
Day-14-Longest Palindrome.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
Given a string which consists of lowercase or uppercase letters, find the length of the longest palindromes that can be built with those letters.
This is case sensitive, for example "Aa" is not considered a palindrome here.
Note:
Assume the length of given string will not exceed 1,010.
Example:
Input:
"abccccdd"
Output:
7
Explanation:
One longest palindrome that can be built is "dccaccd", whose length is 7.
class Solution {
public:
int longestPalindrome(string s) {
int n=s.length();
map<char, int> freq;
for(int i=0;i<n;i++)
freq[s[i]]++;
int res=0;
for(auto it=freq.begin(); it!=freq.end(); it++){
if(it->second>0){
if(it->second%2==0){
res+=it->second;
it->second=0;
} else {
res+=it->second-1;
it->second=1;
}
}
}
for(auto it=freq.begin(); it!=freq.end(); it++){
if(it->second > 0){
res+=1;
break;
}
}
return res;
}
};