我浏览了几篇关于 C++ 中自定义排序优先级队列的 StackOverflow 和 Codeforces 文章。默认情况下,C++ 实现是 MaxHeap ,因此它会以降序输出元素。我的微调添加greater<int>
会上升。我使用自己的比较器功能进行了尝试,如下所示:
#include<bits/stdc++.h>
using namespace std;
class comp{
public:
bool operator()(const int &a,const int &b){
return a>b;
}
};
int main(){
priority_queue<int,vector<int>,comp> pq;
pq.push(5);
pq.push(1);
pq.push(8);
while(!pq.empty()){
cout<<pq.top()<<" ";
pq.pop();
}
return 0;
}
这给出了预期的输出:1 5 8
但是,如果我将其更改为:
#include<bits/stdc++.h>
using namespace std;
class comp{
public:
bool operator()(const int &a,const int &b){
if(a>b)
return true;
}
};
int main(){
priority_queue<int,vector<int>,comp> pq;
pq.push(5);
pq.push(1);
pq.push(8);
while(!pq.empty()){
cout<<pq.top()<<" ";
pq.pop();
}
return 0;
}
输出变为:8 1 5
我不知何故无法得到这个,非常感谢任何帮助。