https://ac.nowcoder.com/acm/contest/4862/E
给n(<=20)头牛,每头牛有自己的身高、重量、承重,要让它们叠罗汉并高度至少是h,并要求剩余的载重量最大(说明最稳),求这个最大剩余载重量。
这题初看直接暴搜剪枝,,仔细一想才发现复杂度不对,是20!的。然后就没辙了,直到看了这篇博客,果然还是有藏着很隐蔽的关系约束的hh,核心思路是想到对于每种方案就是求si-sum{wi+1..wn}的最小值。然后对于所有方案再找最大。
代码就直接按二进制遍历即可。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
| #include<bits/stdc++.h>
using namespace std;
struct d{
int h,w,s;
friend bool operator<(d x,d y){
return x.s+x.w>y.s+y.w;
}
}ds[21];
int n,h;
int chs[21],p;
int solve(int x){
int i=1;p=0;
int xh=0;
while(x){
if(x&1){
chs[++p]=i;
xh+=ds[i].h;
}
i++;x>>=1;
}
if(xh<h)
return -1;
int xs=ds[chs[p]].s;
int xw=ds[chs[p]].w;
for(int i=p-1;i;i--){
xs=min(xs,ds[chs[i]].s-xw);
xw+=ds[chs[i]].w;
}
return (xs>=0?xs:-1);
}
int main(){
cin>>n>>h;
for(int i=1;i<=n;i++)
cin>>ds[i].h>>ds[i].w>>ds[i].s;
sort(ds+1,ds+1+n);
int ans=-1;
for(int i=1;i<=(1<<n);i++){
ans=max(ans,solve(i));
}
if(ans>=0)
cout<<ans<<endl;
else
cout<<"Mark is too tall"<<endl;
}
|