参考博文:https://blog.csdn.net/weixin_36888577/article/details/79937886
最近做到一些使用堆排序的题,因此总结一下priority_queue
优先队列也是队列,因此头文件为,与queue的不同在于可以定义数据的优先级,在插入数据时会自动排序。
priority_queue<type,container,functional>
std::string wrds [] {"one", "two", "three", "four"};
std::priority_queue<std::string, std::vector<std::string>, std::greater<std::string>> words(std::begin(wrds), std::end(wrds));
可以用任何容器的迭代器(开始和结束)来初始化优先队列。这里使用operator>()对元素对象进行比较,从而排序。
std::vector<int> values{21, 22, 12, 3, 24, 54, 56};
std::priority_queue<int> numbers(std::less<int>(),values);
//使用大括号也可以
std::priority_queue<int> numbers{std::less<int>(),values};
//模板指定了比较方式,构造函数的第一个参数也必须传入
std::priority_queue<std::string, std::vector<std::string>, std::greater<std::string>> words(std::greater<std::string>(),w);
priority_queue没有迭代器。只能用top和pop依次取出元素来遍历。且如此遍历会将队列清空。
//升序队列 (小顶堆)
priority_queue <int,vector<int>,greater<int> > q1;
//降序队列 (大顶堆)
priority_queue <int,vector<int>,less<int> > q2;
priority_queue<pair<int, int> > q3;
pair<int, int> b(1, 2);
pair<int, int> c(1, 3);
pair<int, int> d(2, 5);
a.push(d);
a.push(c);
a.push(b);
while (!q3.empty())
{
cout << q3.top().first << " " << q3.top().second << endl;
q3.pop();
}
struct test1
{
int x;
test1(int a) {x = a;}
bool operator<(const test1& a) const
{
return x < a.x; //大顶堆 less
}
};
int main() {
test1 a(1);
test1 b(2);
test1 c(3);
priority_queue<test1> test_pq;
test_pq.push(a);
test_pq.push(b);
test_pq.push(c);
while (!test_pq.empty()) {
std::cout<<test_pq.top().x<<std::endl;
test_pq.pop();
}
system("pause");
}
//输出 3 2 1
struct test1
{
int x;
test1(int a) {x = a;}
};
bool operator<(const test1& a,const test1& b)
{
return a.x < b.x; //大顶堆 less
}
struct test1
{
int x;
test1(int a) {x = a;}
};
struct func
{
bool operator()(const test1& a,const test1& b)
{
return a.x < b.x; //大顶堆
}
};
int main() {
test1 a(1);
test1 b(2);
test1 c(3);
priority_queue<test1, vector<test1>, func> test_pq; //写pq模板时调用仿函数
test_pq.push(a);
test_pq.push(b);
test_pq.push(c);
while (!test_pq.empty()) {
std::cout<<test_pq.top().x<<std::endl;
test_pq.pop();
}
system("pause");
}