目录
一、题目
1、题目描述
2、输入输出
2.1输入
2.2输出
3、原题链接
二、解题报告
1、思路分析
2、复杂度
3、代码详解
一、题目
1、题目描述
2、输入输出
2.1输入
2.2输出
3、原题链接
314B - Sereja and Periods
二、解题报告
1、思路分析
如果 b 个 a 中出现了 tot 个 c,那么答案就是 tot / d
我们可以暴力找循环节,但是也可以类似于字符串匹配的方式构建nxt 数组 和 cnt 数组
nxt[i] 代表 从 c[i] 开始 匹配 一个a,结束位置的下一个位置
cnt[i] 代表 从 c[i] 开始 匹配 一个a,匹配得到的 c 的数目
这样对于 (a, b)而言,我们只需模拟a轮,每次O(1) 跳nxt,累加cnt
对于nxt 和 cnt,我们直接暴力构建即可,因为 a 和 b 的长度都很小
2、复杂度
时间复杂度: O(b + |a| |c|)空间复杂度:O(|a| + |c|)
3、代码详解
#include <bits/stdc++.h>
// #include <ranges>
using u32 = unsigned;
using i64 = long long;
using u64 = unsigned long long;
constexpr int P = 998244353;
constexpr int inf32 = 1E9 + 7;
void solve() {
int b, d;
std::cin >> b >> d;
std::string a, c;
std::cin >> a >> c;
std::vector<int> nxt(c.size()), cnt(c.size());
std::iota(nxt.begin(), nxt.end(), 0);
for (int i = 0; i < c.size(); ++ i) {
for (char ch : a) {
if (ch == c[nxt[i]]) {
if (++ nxt[i] == c.size()) {
nxt[i] = 0;
++ cnt[i];
}
}
}
}
int tot = 0, cur = 0;
while (b --) {
tot += cnt[cur];
cur = nxt[cur];
}
std::cout << tot / d;
}
int main() {
std::ios::sync_with_stdio(false);
std::cin.tie(nullptr);
int t = 1;
// std::cin >> t;
while (t--) {
solve();
}
return 0;
}