其他分享
首页 > 其他分享> > C. Canine poetry (贪心)

C. Canine poetry (贪心)

作者:互联网

题目链接: Canine poetry


大致题意:

给出一个字符串,可以在任意位置修改字符,问最少修改几次使得整个字符串中的回文字串都不大于1


解题思路:

模拟,像aa这种字符串要修改,aba这样的字符串也要修改,abba我们只要修改其中一个b就可以,考虑到后一个b可能会对后面的字符做出贡献,所以我们贪心对后一个b进行修改,比如aaa,我们应该修改后两个a


AC代码:

#include <bits/stdc++.h>
using namespace std;
int main() {
	int t; cin >> t;
	while (t--) {
		string s; cin >> s;
		int res = 0;
		int n = s.length();
		for (int i = 0; i < n; ++i) {
			if (s[i] == '#')continue;
			if (s[i] == s[i + 2] && i + 2 < n) {
				res++;
				s[i + 2] = '#';
			}
			if (s[i] == s[i + 1]) {
				res++;
				s[i + 1] = '#';
			}
		}
		cout << res << endl;
	}
	return 0;
}

END

标签:int,res,++,poetry,Canine,修改,字符串,贪心
来源: https://blog.csdn.net/qq_49494204/article/details/112501177