cf1561C. Deep Down Below
题意:
有个英雄,英雄有自己的力量值,有n个洞穴,每个洞穴有ki个怪物,每个怪物有自己的血量,当你力量值大于怪物血量,你就杀死他,否则你就失败,你每杀死一个怪物,力量值+1。如果你进了一个山洞,就必须将山洞里所有怪物杀光才行。英雄可以按照任意顺序进入山东,问打败所有怪物的最低力量值是多少?
题解:
山洞的进入顺序很重要,我们应该进整体怪物比较弱的山洞,相当于先练练级,等力量值升高了,再去挑战比较厉害的怪
对于山洞里的第j个怪,血量是aj,那我们要战胜这个怪,最低需要攻击力aj+1,而他是这个山洞第j个怪,说明我们会提升j-1个攻击力,也就是我们需要aj-j+2的攻击力进这个山洞,才能战胜这个怪。我们求出所有山洞所需的最低攻击力,然后排序,这样就得到山洞的进入顺序。
进入一个山洞前,我们就判断是否已有攻击力是否已经大于这个山洞的需求,如果大于就计算通过山洞后的攻击力,否则就对初始攻击力进行补充。
相当于我们维护了两个攻击力,一个是初始攻击力,也就是我们要输出的答案,另一个是当前状态的攻击力,表示当前攻击力情况,用于判断是否可以通过接下来的山洞
详细看代码
代码:
// Problem: C. Deep Down Below
// Contest: Codeforces - Codeforces Round #740 (Div. 2, based on VK Cup 2021 - Final (Engine))
// URL: https://codeforces.com/contest/1561/problem/C
// Memory Limit: 512 MB
// Time Limit: 2000 ms
// Data:2021-08-24 23:31:32
// By Jozky#include <bits/stdc++.h>
#include <unordered_map>
#define debug(a, b) printf("%s = %d\n", a, b);
using namespace std;
typedef long long ll;
typedef unsigned long long ull;
typedef pair<int, int> PII;
clock_t startTime, endTime;
//Fe~Jozky
const ll INF_ll= 1e18;
const int INF_int= 0x3f3f3f3f;
void read(){};
template <typename _Tp, typename... _Tps> void read(_Tp& x, _Tps&... Ar)
{x= 0;char c= getchar();bool flag= 0;while (c < '0' || c > '9')flag|= (c == '-'), c= getchar();while (c >= '0' && c <= '9')x= (x << 3) + (x << 1) + (c ^ 48), c= getchar();if (flag)x= -x;read(Ar...);
}
template <typename T> inline void write(T x)
{if (x < 0) {x= ~(x - 1);putchar('-');}if (x > 9)write(x / 10);putchar(x % 10 + '0');
}
void rd_test()
{
#ifdef LOCALstartTime= clock();freopen("in.txt", "r", stdin);
#endif
}
void Time_test()
{
#ifdef LOCALendTime= clock();printf("\nRun Time:%lfs\n", (double)(endTime - startTime) / CLOCKS_PER_SEC);
#endif
}
const int maxn= 2e5;
int a[maxn];
int tot[maxn];
struct node
{int id, maxx;
} w[maxn];
bool cmp(node a, node b)
{if (a.maxx == b.maxx)return tot[a.id] > tot[b.id];//山洞怪物数量多的elsereturn a.maxx < b.maxx;//血量排序
}
int main()
{//rd_test();int t;read(t);while (t--) {int T;read(T);for (int i= 1; i <= T; i++) {read(tot[i]);w[i].id= i;for (int j= 1; j <= tot[i]; j++) {read(a[j]);w[i].maxx= max(w[i].maxx, a[j] - j + 2);//所需要的最低攻击力}}sort(w + 1, w + 1 + T, cmp);int tmp= tot[w[1].id] + w[1].maxx;//tot[]为可以提升的攻击力int ans= w[1].maxx; //起初攻击力for (int i= 2; i <= T; i++) {if (tmp >= w[i].maxx) {tmp= tmp + tot[w[i].id];}else {ans= ans + w[i].maxx - tmp;tmp= w[i].maxx + tot[w[i].id];}}cout << ans << endl;for (int i= 1; i <= T; i++) {w[i].id= 0;w[i].maxx= 0;tot[i]= 0;}}return 0;//Time_test();
}