题目意思:
http://acm.nyist.net/JudgeOnline/problem.php?pid=55
每一次合并,小明可以把两堆果子合并到一起,消耗的体力等于两堆果子的重量之和。可以看出,所有的果子经过n-1次合并之后,就只剩下一堆了。小明在合并果子时总共消耗的体力等于每次合并所耗体力之和。
因为还要花大力气把这些果子搬回家,所以小明在合并果子时要尽可能地节省体力。假定每个果子重量都为1,并且已知果子的种类数和每种果子的数目,你的任务是设计出合并的次序方案,使小明耗费的体力最少,并输出这个最小的体力耗费值。1
3
1 2 9
15
题目分析:
要是消耗的能力最小,每次选择最小的两堆放在一起,因此只需要定义个优先队列,使数小的值优先级高,每次取出两个队首进行合并放入到队列中,直到队列中剩下一个元素的时候结束,在先喝个过程中记录最小的消耗能量值。可以用STL中的priority_quque
AC代码:
/** *优先队列, */ #include<iostream> #include<cstdio> #include<map> #include<cstring> #include<string> #include<algorithm> #include<queue> #include<vector> #include<stack> #include<cstdlib> #include<cctype> #include<cstring> #include<cmath> #define LL long long using namespace std; int main() { int t,n,x; priority_queue<LL, vector<LL>, greater<LL> > q;//定义小的数优先级别高 cin>>t; while(t--){ cin>>n; for(int i=0;i<n;i++){ cin>>x; q.push(x); } LL a,b,sum=0;//注意精度 while(q.size()>1){ a=q.top(); q.pop(); b=q.top(); q.pop(); //cout<<a<<" "<<b<<endl; q.push(a+b); sum=sum+a+b; } cout<<sum<<endl; q.pop(); } return 0; }
原文地址:http://blog.csdn.net/fool_ran/article/details/42471433