A. Game
题意:你可以在陆地上行走,遇到水坑必须跳过去,且你只能跳一次,问走到最后的最小花费
做法:从前往后找到第一个0和从后往前找到第一个0,然后位置相减即可
#include<bits/stdc++.h>
#define x first
#define y second
using namespace std;
typedef long long LL;
typedef pair<int, int> PII;
const int N = 100010;
const int mod = 1e9 + 7;
int main(void)
{
ios::sync_with_stdio(false);
cin.tie(0), cout.tie(0);
int t;
cin >> t;
while (t--)
{
int n;
cin >> n;
vector<int> a(n +1);
int temp = 0;
for (int i = 1; i <= n; i++) cin >> a[i];
for (int i = 1; i <= n; i++)
{
if (a[i] == 0)
{
temp = i - 1;
break;
}
}
int tag = 0;
for (int i = n; i >= 1; i--)
{
if (a[i] == 0)
{
tag = i + 1;
break;
}
}
cout << tag - temp << '\n';
}
return 0;
}
B. Game of Ball Passing
题意:给出每个球员的传出球的次数,问至少需要多少个球才能完成这样的传球
做法:找到最大的传出球数,然后用它和其他数的和进行比较即可
解释:我们让传出球次数最多的人去和其他人一对一进行传球,如果其他的球员的次数用光了而他还可以传一次,那就直接踢开即可,如果大于1次,那么就不可能只靠一个球来完成了;如果说其他球员的次数还没用光而他的次数用光了,那么就找到剩下球员中次数最多的人来重复以上操作,必然只需要一个球即可完成,注意全0特判
#include<bits/stdc++.h>
#define x first
#define y second
using namespace std;
typedef long long LL;
typedef pair<int, int> PII;
const int N = 100010;
const int mod = 1e9 + 7;
int main(void)
{
ios::sync_with_stdio(false);
cin.tie(0), cout.tie(0);
int t;
cin >> t;
while (t--)
{
int n;
cin >> n;
vector<int> a(n);
bool flag = true;
for (int i = 0; i < n; i++)
{
cin >> a[i];
if (a[i]) flag = false;
}
if (flag)
{
cout << 0 << '\n';
continue;
}
sort(a.begin(), a.end());
LL sum = 0;
for (int i = 0; i < n - 1; i++) sum += a[i];
if (sum + 1 >= a[n - 1]) cout << 1 << '\n';
else cout << a[n - 1] - sum << '\n';
}
return 0;
}
C. Weird Sum
题意:找到矩阵中的所有同颜色对的哈密顿距离的总和
做法:推公式,利用前缀和将横坐标纵坐标分开算即可
#include <bits/stdc++.h>
using namespace std;
typedef long long LL;
const int N = 100010;
vector<LL> a[N];
vector<LL> b[N];
int n, m;
LL ans, sumx, sumy;
int maxn;
void solve()
{
cin >> n >> m;
for(int i = 0; i < n; i ++)
for(int j = 0; j < m; j ++)
{
int x;
cin >> x;
a[x].push_back(i + 1);
b[x].push_back(j + 1);
maxn = max(maxn, x);
}
for(int i = 1; i <= maxn; i ++)
{
sort(a[i].begin(), a[i].end());
sort(b[i].begin(), b[i].end());
}
ans = 0;
for(int i = 1; i <= maxn; i ++)
{
sumx = 0;
sumy = 0;
int len = a[i].size();
for(int j = 0; j < len; j ++)
{
sumx += a[i][j];
sumy += b[i][j];
ans += a[i][j] * (j + 1) - sumx;
ans += b[i][j] * (j + 1) - sumy;
}
}
cout << ans << '\n';
}
int main(void)
{
ios::sync_with_stdio(false);
cin.tie(nullptr);
solve();
return 0;
}