Takahashi要和Aoki见面。
他们计划在距离Takahashi家米的地方分钟后见面。
Takahashi将立即出门并以米/分钟的速度朝见面地点走去。
Takahashi能按时到达吗?
如果Takahashi提前或准时到达此地,输出Yes
;否则输出No
。
D | T | S | 输出 |
---|---|---|---|
1000 | 15 | 80 | Yes |
2000 | 20 | 100 | Yes |
10000 | 1 | 1 | No |
判断(简化后为 )即可。
#include <cstdio>
using namespace std;
int main(int argc, char** argv)
{
int d, t, s;
scanf("%d%d%d", &d, &t, &s);
puts(t * s >= d? "Yes": "No");
return 0;
}
给你两个字符串和。
请你修改中的一些字符(可以不修改)使得是的字串。
至少需要修改多少个字符?
子串:如,xxx
是yxxxy
的子串,但不是xxyxx
的子串。
和都由小写英文字母组成。
一行,即至少需要修改的字符个数。
cabacc
abc
1
codeforces
atcoder
6
我们只要将在中滚动匹配,寻找不同的字母数量的最小值即可。
其实这就是枚举 😃
注意:如果按下面的代码写,最开始一定要特判和长度相等的情况!
#include <cstdio>
#define maxn 1005
using namespace std;
char s[maxn], t[maxn];
int main(int argc, char** argv)
{
scanf("%s%s", s, t);
int tlen = 0, ans = maxn;
for(; t[tlen]; tlen++);
if(s[tlen] == '\0')
{
ans = 0;
for(int i=0; i<tlen; i++)
if(s[i] != t[i])
ans ++;
printf("%d\n", ans);
return 0;
}
for(int i=0; s[i+tlen]; i++)
{
int cnt = 0;
for(int j=0; j<tlen; j++)
if(s[i + j] != t[j])
cnt ++;
if(cnt < ans) ans = cnt;
}
printf("%d\n", ans);
return 0;
}
给定个整数。
输出,即符合的所有的的和,对取模。
输出一行,即。
3
1 2 3
11
。
4
141421356 17320508 22360679 244949
437235829
不要忘记对取模!
我们需要将题目中的公式转化一下:
这时,我们只需循环遍历,再设置一个变量记录即可。
可以输入时直接处理。
虽然要取模,但是还要使用long long
:
#include <cstdio>
#define maxn 200005
#define MOD 1000000007LL
using namespace std;
typedef long long LL;
int main(int argc, char** argv)
{
int n;
LL sum, res = 0LL;
scanf("%d%lld", &n, &sum);
while(--n) // 循环 (n-1) 次
{
LL x;
scanf("%lld", &x);
res += sum * x;
sum += x;
res %= MOD, sum %= MOD;
}
printf("%lld\n", res);
return 0;
}
有个人,编号分别为到。
给你个关系,第个关系为“号人和号人是朋友。”(关系可能会重复给出)。
如果和是朋友、和是朋友,则和也是朋友。
Takahashi大坏蛋想把这个人进行分组,使得每组中的人互不为朋友。他至少要分多少组?
输出答案。
5 3
1 2
3 4
5 1
3
分为三组:、、可以达到目标。
4 10
1 2
2 1
1 2
2 1
1 2
1 3
1 4
2 3
2 4
3 4
4
请注意重复的关系。
10 4
3 1
4 1
5 9
2 6
3
这道题可以先分出一个个朋友圈,再从朋友圈的人数中取最大值并输出即可。
“分出朋友圈”这个操作可以使用dfs
/bfs
(不需要去重),当然,并查集也是可以的(需要去重)。我选择的是bfs
。
#include <cstdio>
#include <queue>
#include <vector>
#define maxn 200005
using namespace std;
vector<int> G[maxn];
bool vis[maxn];
int bfs(int x)
{
queue<int> q;
q.push(x);
int cnt = 0;
while(!q.empty())
{
x = q.front(); q.pop();
if(vis[x]) continue;
vis[x] = true, cnt ++;
for(int v: G[x])
q.push(v);
}
return cnt;
}
int main(int argc, char** argv)
{
int n, m;
scanf("%d%d", &n, &m);
for(int i=0; i<m; i++)
{
int x, y;
scanf("%d%d", &x, &y);
G[x].push_back(y);
G[y].push_back(x);
}
int ans = bfs(0);
for(int i=1; i<n; i++)
if(!vis[i])
{
int cnt = bfs(i);
if(cnt > ans)
ans = cnt;
}
printf("%d\n", ans);
return 0;
}