UVa 11400 - Lighting System Design(DP)

给出 n 种灯泡,同时给出他们的电压 v 、电源价格 k 、灯泡单价 c 和需求数量 l 。电压低的灯泡可以被电压高的代替,问最小花费。
按照电压从低到高排序,状态 d [ i ] 表示前 i 种的最小花费,转移方程为 d [ i ] = m i n ( d [ i ] , d [ j ] + ( s [ i ] − s [ j ] ) ∗ a [ i ] . c + a [ i ] . k ) ,其中 s [ i ] 表示前 i 种灯泡所需数量和。

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
#include<cstdio>
#include<cstring>
#include<algorithm>
using namespace std;
const int maxn=1010;
int s[maxn],d[maxn];
struct node{
int v,k,c,l;
bool operator < (const node& x) const {
return v<x.v;
}
}a[maxn];
int main(){
int n;
while(~scanf("%d",&n)&&n){
memset(s,0,sizeof(s));
for(int i=0;i<n;++i)
scanf("%d%d%d%d",&a[i].v,&a[i].k,&a[i].c,&a[i].l);
sort(a,a+n);
s[0]=a[0].l;
for(int i=1;i<n;++i)
s[i]=s[i-1]+a[i].l;
d[0]=0;
for(int i=0;i<n;++i){
d[i]=s[i]*a[i].c+a[i].k;
for(int j=0;j<i;++j)
d[i]=min(d[i],d[j]+(s[i]-s[j])*a[i].c+a[i].k);
}
printf("%d\n",d[n-1]);
}
return 0;
}

** 本文迁移自我的CSDN博客,格式可能有所偏差。 **