CodeForces-371C Hamburgers
Hamburgers
给出含有'B','S,'C'的字符串,然后现已有这个字符若干个,买入一个不同的字符需要花费一定的代价,给出当前金额,问最多能凑出多少个字符串
二分 或者 暴力
对于二分来说,枚举答案,然后用O(1)去查询,注意上界是金额+300(可能存在代价全是1,初始又能凑几个字符串的情况)
对于暴力来说,由于初始拥有的字符数量上限很少,所以直接枚举到200,看看能不能完成,剩下的直接周期向下整除即可
二分
#include <iostream>
#include <cstdio>
#include <algorithm>
#include <vector>
#include <string>
#include <queue>
#include <functional>
#include <map>
#include <set>
#include <cmath>
#include <cstring>
#include <deque>
#include <stack>
using namespace std;
typedef long long ll;
#define pii pair<int, int>
const ll maxn = 2e5 + 10;
const ll inf = 1e17 + 10;
ll ned[10], pay[10], now[10], mon;
bool query(ll x)
{
ll ans = 0;
for(int i=0; i<3; i++)
ans += max(ned[i] * x - now[i], 0ll) * pay[i];
return ans <= mon;
}
int main()
{
string s;
cin >> s;
for(int i=0; i<3; i++)
cin >> now[i];
for(int i=0; i<3; i++)
cin >> pay[i];
cin >> mon;
for(int i=0; i<s.length(); i++)
{
if(s[i] == 'B')
ned[0]++;
else if(s[i] == 'S')
ned[1]++;
else
ned[2]++;
}
ll l = 0, r = mon + 300;
while(l < r)
{
ll mid = l + r >> 1;
if(query(mid))
l = mid + 1;
else
r = mid - 1;
}
if(!query(l)) l--;
printf("%lld\n", l);
return 0;
}
暴力
#include <iostream>
#include <cstdio>
#include <algorithm>
#include <vector>
#include <string>
#include <queue>
#include <functional>
#include <map>
#include <set>
#include <cmath>
#include <cstring>
#include <deque>
#include <stack>
using namespace std;
typedef long long ll;
#define pii pair<int, int>
const ll maxn = 2e5 + 10;
const ll inf = 1e17 + 10;
struct node
{
int ned, now, pay;
}num[10];
int main()
{
string s;
cin >> s;
for(int i=0; i<3; i++)
cin >> num[i].now;
for(int i=0; i<3; i++)
cin >> num[i].pay;
ll r = 0;
cin >> r;
for(int i=0; i<s.length(); i++)
{
if(s[i] == 'B')
num[0].ned++;
else if(s[i] == 'S')
num[1].ned++;
else
num[2].ned++;
}
ll ans = 0;
for(int i=0; i<3; i++) if(num[i].ned == 0) num[i].now = 0;
while(r > 0 && (num[0].now || num[1].now || num[2].now))
{
for(int i=0; i<3; i++)
{
r -= max(num[i].ned - num[i].now, 0) * num[i].pay;
num[i].now -= min(num[i].now, num[i].ned);
}
if(r >= 0) ans++;
}
if(r > 0)
{
ll tot = 0;
for(int i=0; i<3; i++)
tot += num[i].pay * num[i].ned;
ans += r / tot;
}
printf("%lld\n", ans);
return 0;
}