C. Canine poetry
一开始都读错题了,一直认为这个题的回文是公共前后缀, 擦
思路:
拿到这个题我们想大致模拟一下,我们确保子串中不能有回文子串,那么更长的回文子串,肯定由短的回文子串共享,比如abcba由bcb贡献。因此若我们破坏bcb,那么这个字符串就被破坏。我们发现,最短的回文子串,要么属于长度为2的aa型,要么就是长度为3的aba型和aaa型。也就是确保字符串中不能存在长度为2或3的回文子串。
根据贪心思维我们要找到最优的破坏解:对于aa型,我们选择破坏第二个a最优,因为第二个a很可能对后面的子串有贡献;对于aba型,选择破坏最后一个最优,避免对后面的贡献;对于aaa型,需要替换两个字符才能不是回文串,能破坏第二三个最优。
#include <bits/stdc++.h>
using namespace std;
char s[100010];
int t;
void slove()
{
scanf("%s", s + 1);
int n = strlen(s + 1);
int ans = 0;
for (int i = 1; i <= n; i++)
{
if (i - 1 > 0 && s[i] == s[i - 1] || i - 2 > 0 && s[i] == s[i - 2])
{
s[i] = '#';
ans++;
}
}
printf("%d\n", ans);
}
int main()
{
scanf("%d", &t);
while (t--) slove();
}