K完全字
题意:
- 定义 K字符串,满足:
- 即 K字符串 是周期为 K 的回文串。
- 给你一个字符串 A,一次操作可以将一个字母改变成任意字母,问你最少多少次操作可以把 A 变成一个 K字符串。
思路:
- 可以发现有些位置( i % k )的字母需要相同,具有周期性,我们可以统一存储下来 该位 26个字母的个数。
- 然后再考虑回文,回文肯定要求对称位字母相同,循环判断下即可。
C o d e : Code: Code:
#include<bits/stdc++.h>
#include<unordered_map>
#define mem(a,b) memset(a,b,sizeof a)
#define cinios (ios::sync_with_stdio(false),cin.tie(0),cout.tie(0))
#define sca scanf
#define pri printf
#define forr(a,b,c) for(int a=b;a<=c;a++)
#define rfor(a,b,c) for(int a=b;a>=c;a--)
#define all(a) a.begin(),a.end()
#define oper(a) (operator<(const a& ee)const)
#define endl "\n"
using namespace std;
typedef long long ll;
typedef pair<int, int> PII;
double DNF = 1e17;
const int N = 200010, M = 400010, MM = 110;
int INF = 0x3f3f3f3f, mod = 1e9 + 7;
ll LNF = 0x3f3f3f3f3f3f3f3f;
int n, m, k, T, S, D, K;
int sum[N][26], p[N];
int count(int x, int y) {
int res = 0, mx = 0;
for (int j = 0; j < 26; j++) {
res += sum[x][j] + sum[y][j];
mx = max(mx, sum[x][j] + sum[y][j]);
//找存在最多的字母,这样修改次数最少
}
return res - mx;
}
void solve() {
cin >> n >> k;
string s; cin >> s;
for (int i = 0; i < k; i++)
for (int j = 0; j < 26; j++)sum[i][j] = 0;
for (int i = 0; i < n; i++)
sum[i % k][s[i] - 'a']++;
//取余的巧妙运用,i % k 的位置要求字母相同
int ans = 0;
for (int i = 0; i < k; i++)//枚举了同一对两遍
ans += count(i, k - 1 - i);
//如果不枚举两遍枚举一半,就要特判是奇数对还是偶数对,奇数对中间那个字母不需要变动
cout << ans / 2 << endl;//最后除二
}
int main() {
cinios;
cin >> T;
while (T--)solve();
return 0;
}
/*
*/