lc.剑指offer.出现频率最高的k个数字
给定一个整数数组 nums 和一个整数 k ,请返回其中出现频率前 k 高的元素。可以按 任意顺序 返回答案。
示例 1:
输入: nums = [1,1,1,2,2,3], k = 2
输出: [1,2]
示例 2:
输入: nums = [1], k = 1
输出: [1]
提示:
1 <= nums.length <= 105
k 的取值范围是 [1, 数组中不相同的元素的个数]
题目数据保证答案唯一,换句话说,数组中前 k 个高频元素的集合是唯一的
进阶:所设计算法的时间复杂度 必须 优于 O(n log n) ,其中 n 是数组大小。
注意:本题与主站 347 题相同:https://leetcode-cn.com/problems/top-k-frequent-elements/
解题代码
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
|
bool cmp(pair<int,int> &a,pair<int,int> &b) {
return a.second > b.second;
}
class Solution {
public:
void printArr(vector<pair<int,int>> p) {
for(auto u:p) {
printf("pair{%d,%d}-> ",u.first,u.second);
}
}
vector<int> topKFrequent(vector<int>& nums, int k) {
int n = nums.size();
unordered_map<int,int> mp;
for(int u:nums) mp[u]++;
vector<pair<int,int> > v;
for(auto h:mp) {
v.push_back(h);
}
//k v => sort
sort(v.begin(),v.end(),cmp);
k = min(k,(int)v.size());
vector<int> res(k);
for(int i=0;i<k;i++) {
res[i] = v[i].first;
}
// printArr(v);
return res;
}
};
|
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
|
class Solution {
public:
static bool cmp(pair<int, int>& m, pair<int, int>& n) {
return m.second > n.second;
}
vector<int> topKFrequent(vector<int>& nums, int k) {
unordered_map<int, int> occurrences;
for (auto& v : nums) {
occurrences[v]++;
}
// pair 的第一个元素代表数组的值,第二个元素代表了该值出现的次数
priority_queue<pair<int, int>, vector<pair<int, int>>, decltype(&cmp)> q(cmp);
for (auto& [num, count] : occurrences) {
if (q.size() == k) {
if (q.top().second < count) {
q.pop();
q.emplace(num, count);
}
} else {
q.emplace(num, count);
}
}
vector<int> ret;
while (!q.empty()) {
ret.emplace_back(q.top().first);
q.pop();
}
return ret;
}
};
|