-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path0347.top_k_frequent_elements.cpp
51 lines (45 loc) · 1.17 KB
/
0347.top_k_frequent_elements.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
#include <algorithm>
#include <array>
#include <cstdio>
#include <iostream>
#include <unordered_map>
#include <vector>
using std::vector, std::array;
vector<int> top_k_frequent(vector<int>& nums, int k)
{
int n = nums.size();
std::unordered_map<int, int> m;
for (const auto num : nums) m[num]++;
vector<array<int, 2>> tmp;
for (const auto [k, v] : m) {
tmp.push_back({k, v});
}
// 可以用大小为 k 的 priority_queue 代替 sort
// 似乎能快一点?不确定
std::sort(tmp.begin(), tmp.end(), [](const array<int, 2>& a, const array<int, 2>& b) -> bool {
return a[1] > b[1];
});
vector<int> res;
for (int i = 0; i < k; ++i) {
res.push_back(tmp[i][0]);
}
return res;
}
int main () {
#ifdef LOCAL
freopen("0347.in", "r", stdin);
#endif
int n = 0, k = 0;
while (std::cin >> n >> k) {
vector<int> nums(n, 0);
for (int i = 0; i < n; ++i) {
std::cin >> nums[i];
}
vector<int> res = top_k_frequent(nums, k);
for (int i = 0; i < k; ++i) {
printf(",%d" + !i, res[i]);
}
std::cout << std::endl;
}
return 0;
}