我们知道:优先级队列是一种常用的数据结构,用于解决许多算法问题。基于堆(Heap)实现,在每次操作中能够快速找到最大或最小值。
使用优先级队列的典型算法问题包括:
下面会挑选一些算法题并使用优先级队列进行解题。
思路
代码
int lastStoneWeight(vector<int>& stones) {
priority_queue<int> heap; // 创建大根堆
// 将数组所有元素添加到堆中
for(int stone : stones) heap.push(stone);
while(heap.size() > 1)
{
// 每次取最大的两个数
int a = heap.top(); heap.pop();
int b = heap.top(); heap.pop();
if(a > b) heap.push(a - b);
}
return heap.size() ? heap.top() : 0;
}
思路
代码
class KthLargest {
public:
// 小根堆
priority_queue<int, vector<int>, greater<int>> heap;
int _k;
KthLargest(int k, vector<int>& nums) {
_k = k;
for(int num : nums){
heap.push(num);
if(heap.size() > _k) heap.pop();
}
}
int add(int val) {
heap.push(val);
if(heap.size() > _k) heap.pop();
return heap.top();
}
};
思路
代码
vector<string> topKFrequent(vector<string>& words, int k) {
// 统计单词出现频率
unordered_map<string, int> freq;
for (const string& word : words) {
freq[word]++;
}
// 自定义优先队列的比较函数
auto cmp = [](const pair<string, int>& a, const pair<string, int>& b) {
// 比较出现次数,如果相同则按照字母顺序
return a.second > b.second || (a.second == b.second && a.first < b.first);
};
// 优先队列,默认是大顶堆,用于存储频率最高的 k 个单词
priority_queue<pair<string, int>, vector<pair<string, int>>, decltype(cmp)> pq(cmp);
// 遍历统计好的频率,将单词加入优先队列
for (const auto& entry : freq) {
pq.push(entry);
if (pq.size() > k) {
pq.pop(); // 如果队列大小超过 k,则弹出频率最小的单词
}
}
// 从优先队列中取出结果
vector<string> result(k);
for (int i = k - 1; i >= 0; --i) {
result[i] = pq.top().first; // 逆序存储结果
pq.pop();
}
return result;
}
思路
题意分析:题目要求实现一个类,类中包含一个构造函数、一个add函数用于添加元素、以及一个find函数
解法一:排序 sort
解法二:插入排序的思想
解法三:大小堆维护
代码
class MedianFinder {
public:
// 大小堆,左大堆,右小堆
// 且当共有奇数个元素时,左存多一个元素
priority_queue<int, vector<int>> left;
priority_queue<int, vector<int>, greater<int>> right;
MedianFinder() {} // 构造
void addNum(int num) {
if(left.size() == right.size())
{
if(left.empty() || num <= left.top())
{
left.push(num);
}
else
{
right.push(num);
left.push(right.top());
right.pop();
}
}
else
{
if(num <= left.top())
{
left.push(num);
right.push(left.top());
left.pop();
}
else
{
right.push(num);
}
}
}
double findMedian() {
return (left.size() == right.size()) ? (left.top() + right.top()) / 2.0 : left.top();
}
};