CF1231E
先判掉 \(S,T\) 中某种字母出现次数不相等就输出 -1
。
首先可以明确一个字母至多被操作一次。
考虑需要操作最少的字母等价于最多的字母不动。
发现不动的字母在 \(S\) 中形成了子序列,在 \(T\) 中形成了子串。
暴力枚举 \(T\) 中子串的起始位置,暴力匹配,求最大值即可。
时间复杂度 \(\mathcal O(n^3)\)。
Code:
#include <bits/stdc++.h>
using namespace std;
const int N = 105;
int T;
int n;
char s[N], t[N];
int cnt[26];
int work() {
int res = 0, len, lst;
for (int k = 1; k <= n; ++k) {
len = 0, lst = 1;
for (int i = k; i <= n; ++i) {
bool flag = 0;
for (int j = lst; j <= n; ++j) if (s[j] == t[i]) {
lst = j + 1, ++len, flag = 1;
break;
}
if (!flag) break;
res = max(res, len);
}
}
return res;
}
void solve() {
scanf("%d%s%s", &n, s + 1, t + 1);
memset(cnt, 0, sizeof cnt);
for (int i = 1; i <= n; ++i) ++cnt[s[i] - 'a'];
for (int i = 1; i <= n; ++i) --cnt[t[i] - 'a'];
for (int i = 0; i < 26; ++i) if (cnt[i]) return printf("%d\n", -1), void();
printf("%d\n", n - work());
}
int main() {
scanf("%d", &T);
while (T--) solve();
return 0;
}