1
3
1 2 9
15
priority_queue 对于基本类型的使用方法相对简单。他的模板声明带有三个参数:
priority_queue<Type, Container, Functional>
其中Type 为数据类型, Container 为保存数据的容器,Functional 为元素比较方式。
Container 必须是用数组实现的容器,比如 vector, deque 但不能用 list.
STL里面默认用的是 vector. 比较方式默认用 operator< , 所以如果你把后面俩个参数缺省的话,
优先队列就是大顶堆,队头元素最大。
priority_queue是一种容器适配器。容器适配器的意思就是说其底层实现依赖于某一特定容器,使用该容器来存储数据。容器适配器只是对该容器的一层封装,以满足上下文应用的需要。容器适配器对其成员函数的调用最终是对容器的函数的调用。C++ STL中定义了三种Container Adapter:Stack(LIFO)、Queue(FIFO)和Priority_queue(max heap)。其中priority_queue底层封装的容器默认是vector。
#include<cstdio>
#include<vector>
#include<queue>
using namespace std;
int main(int argc,char *argv[])
{
int n,m,t;
int temp;
long long sum=0;
scanf("%d",&n);
while(n--)
{
priority_queue<int,vector<int>,greater<int> > q;
sum=0;
scanf("%d",&m);
while(m--)
{
scanf("%d",&temp);
q.push(temp);
}
while(q.size()>1)
{
t=q.top();
q.pop();
t+=q.top();
q.pop();
sum+=t;
q.push(t);
}
printf("%lld\n",sum);
}
return 0;
}
2,集合
创建set对象,共5种方式,提示如果比较函数对象及内存分配器未出现,即表示采用的是系统默认方式
(1):创建空的set对象,元素类型为int,
set<int> s1;
(2):创建空的set对象,元素类型char*,比较函数对象(即排序准则)为自定义strLess
set<const char*, strLess> s2( strLess);
(3):利用set对象s1,拷贝生成set对象s2
set<int> s2(s1);
(4):用迭代区间[&first, &last)所指的元素,创建一个set对象
int iArray[] = {13, 32, 19};
set<int> s4(iArray, iArray + 3);
(5):用迭代区间[&first, &last)所指的元素,及比较函数对象strLess,创建一个set对象
const char* szArray[] = {"hello", "dog", "bird" };
set<const char*, strLess> s5(szArray, szArray + 3, strLess() );
元素插入:
1,插入value,返回pair配对对象,可以根据.second判断是否插入成功。(提示:value不能与set容器内元素重复)
pair<iterator, bool> insert(value)
2,在pos位置之前插入value,返回新元素位置,但不一定能插入成功
iterator insert(&pos, value)
元素删除
1,size_type erase(value) 移除set容器内元素值为value的所有元素,返回移除的元素个数
2,void erase(&pos) 移除pos位置上的元素,无返回值
3,void erase(&first, &last) 移除迭代区间[&first, &last)内的元素,无返回值
4,void clear(), 移除set容器内所有元素
元素查找
1,count(value)返回set对象内元素值为value的元素个数
2,iterator find(value)返回value所在位置,找不到value将返回end()
AC代码:
#include<cstdio>
#include<set>
using namespace std;
int main(int argc,char *argv[])
{
int n,m;
int temp;
long long sum;
scanf("%d",&n);
while(n--)
{
sum=0;
multiset<long long> s;
scanf("%d",&m);
while(m--)
{
scanf("%d",&temp);
s.insert(temp);
}
while(s.size()>1)
{
multiset<long long>::iterator it=s.begin();
long long a=*it;
long long b=*(++it);
s.erase(s.begin());
s.erase(s.begin());
s.insert(a+b);
sum+=a+b;
}
printf("%lld\n",sum);
}
return 0;
}