NO.1
思路:找到数量最小的字符,就可以知道you的数量,用o的数量减去you的数量再减去1就是oo的数量。
代码实现:
#include<iostream>
using namespace std;
int main()
{
int q;
cin >> q;
int a, b, c;
while (q--)
{
cin >> a >> b >> c;
int x = min(min(a, b), c);
cout << (x * 2 + (b - x - 1)) << endl;
}
return 0;
}
NO.2
代码实现:
class Solution
{
int m, n;
int dx[4] = { 0, 0, 1, -1 };
int dy[4] = { 1, -1, 0, 0 };
bool vis[1010][1010] = { 0 };
public:
int rotApple(vector<vector<int> >& grid)
{
m = grid.size(), n = grid[0].size();
queue<pair<int, int>> q;
for (int i = 0; i < m; i++)
for (int j = 0; j < n; j++)
if (grid[i][j] == 2)
q.push({ i, j });
int ret = 0;
while (q.size())
{
int sz = q.size();
ret++;
while (sz--)
{
auto [a, b] = q.front();
q.pop();
for (int i = 0; i < 4; i++)
{
int x = a + dx[i], y = b + dy[i];
if (x >= 0 && x < m && y >= 0 && y < n && grid[x][y] == 1
&& !vis[x][y])
{
vis[x][y] = true;
q.push({ x, y });
}
}
}
}
for (int i = 0; i < m; i++)
for (int j = 0; j < n; j++)
if (grid[i][j] == 1 && !vis[i][j])
return -1;
return ret - 1;
}
};
NO.3
思路:动态规划,下标映射。dp[i],i表示孩子数量,dp[1]=0表示只有1个孩子的时候,编号为0的孩子拿到奖品。如果有n个孩子参加,那么参加的孩子标号为0到n-1,我们设其中第m-1个孩子出去,那么我们从第m个开始重新进行标号,也就是从0到n-2,在第一次和第二次中标号的映射关系就是我们要找的状态方程dp[i]=(dp[n-1]+m)%n。
代码实现:
class Solution
{
public:
int LastRemaining_Solution(int n, int m)
{
int f = 0;
for (int i = 2; i <= n; i++) f = (f + m) % i;
return f;
}
};