题目链接:http://codeforces.com/contest/913/problem/C
题目大意:有n瓶柠檬水。第i瓶的容量为2^(i-1)。价格为ai。问现在需要买容量>=L的柠檬水。问至少需要多少钱。
思路:我们考虑把L拆成二进制。
对于第5为1。那么买>=L的容量的水的最小价格为min(F[6], F[7], F[5]+L-(1<<5));
预处理F[i]=min(a[i], F[i-1]*2)。
记忆化搜索就可以了。
#include<bits/stdc++.h>
using namespace std;
typedef long long LL;
LL s[35]={1ll<<30};
LL a[35];
vector<int> v;
LL dfs(int i, int n){
if(i==v.size()){
return 0;
}
LL ans=(1ll<<60);
for(int k=max(v[0], n); k>v[i]; k--){
ans=min(ans, s[k]);
}
return min(ans, dfs(i+1, n)+s[v[i]]);
}
int main() {
int n, L;
scanf("%d%d", &n, &L);
for(int i=0; i<n; i++){
scanf("%lld", &a[i]);
}
s[0]=a[0];
for(int i=1; i<=32; i++){
if(a[i]!=0){
s[i]=min(s[i-1]*2, a[i]);
}
else{
s[i]=s[i-1]*2;
}
}
for(int i=31; i>=0; i--){
if((1<<i)&L){
v.push_back(i);
}
}
cout<<dfs(0, n)<<endl;;
return 0;
}