-
Notifications
You must be signed in to change notification settings - Fork 8
/
Copy pathsolution.cpp
64 lines (60 loc) · 1.68 KB
/
solution.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
59
60
61
62
63
64
/**
* 82 / 82 test cases passed.
* Runtime: 8 ms
* Memory Usage: 15.4 MB
*/
class Solution {
public:
vector<int> majorityElement(vector<int>& nums) {
unordered_map<int, int> counts;
for (auto &num : nums) {
counts[num] += 1;
}
int limit = nums.size() / 3;
vector<int> ans;
for (auto &[num, cnt]: counts) {
if (cnt > limit) {
ans.push_back(num);
}
}
return ans;
}
};
/**
* 82 / 82 test cases passed.
* Runtime: 8 ms
* Memory Usage: 15.4 MB
*/
class Solution2 {
public:
vector<int> majorityElement(vector<int>& nums) {
auto cand1 = make_pair(0, 0);
auto cand2 = make_pair(0, 0);
// voting stage
for (auto &num : nums) {
if (num == cand1.first) cand1.second++;
else if (num == cand2.first) cand2.second++;
else if (cand1.second && cand2.second) {
cand1.second--;
cand2.second--;
} else if (!cand1.second) {
cand1.first = num;
cand1.second = 1;
} else if (!cand2.second) {
cand2.first = num;
cand2.second = 1;
}
}
// counting stage
cand1.second = cand2.second = 0;
for (auto &num : nums) {
if (num == cand1.first) cand1.second++;
else if (num == cand2.first) cand2.second++;
}
int boundary = nums.size() / 3;
vector<int> ans;
if (cand1.second > boundary) ans.emplace_back(cand1.first);
if (cand2.second > boundary) ans.emplace_back(cand2.first);
return ans;
}
};