D. Binary String To Subsequences(思维) Codeforces Round #661 (Div. 3)

原题链接:https://codeforces.com/contest/1399/problem/D

题意:给你一个01字符串,计算使得01不相邻的最小子序列数目。

解题思路又是贪婪思想,我们要使得子序列数目最小,就要向让子序列够长,够长的条件就是01不相邻。我们首先要知道子序列是什么?子序列是一个序列,它可以通过删除零个或多个元素而不改变其余元素的顺序从给定序列派生出来。例如,“1011101”的子序列是“0”、“1”、“11111”、“0111”、“101”、“1001”,而不是“000”、“101010”和“11100”。那么我们就可以遍历字符串找最长的子序列,利用转换思想,主角不断转换,遇到不能转换的就新开一个序列,这样遍历完之后得到的序列数目就是最小的,同时我们要利用一个数组来存放每个字符对应的子序列。具体看代码实现,我写了很全的注释,因为这道题昨晚也卡了我很久,没写出来,实属太菜。

AC代码:

/*
*邮箱:[email protected]
*blog:https://blog.csdn.net/hzf0701
*注:代码如有问题请私信我或在评论区留言,谢谢支持。
*/
#include
#include
#include
#include
#include
#include
#include
#include
#include
#include
#include
#include
#include
#include
#include//低版本G++编译器不支持,若使用这种G++编译器此段应注释掉
#include
#include
#include
#define scd(n) scanf("%d",&n)
#define scf(n) scanf("%f",&n)
#define scc(n) scanf("%c",&n)
#define scs(n) scanf("%s",n)
#define prd(n) printf("%d",n)
#define prf(n) printf("%f",n)
#define prc(n) printf("%c",n)
#define prs(n) printf("%s",n)
#define rep(i,a,n) for (int i=a;i<=n;i++)//i为循环变量,a为初始值,n为界限值,递增
#define per(i,a,n) for (int i=a;i>=n;i--)//i为循环变量, a为初始值,n为界限值,递减。
#define pb push_back
#define fi first
#define se second
#define mp make_pair
using namespace std;
const int inf = 0x3f3f3f3f;//无穷大
const int maxn = 2e5+5;//最大值。
typedef long long ll;
typedef long double ld;
typedef pair<ll, ll>  pll;
typedef pair<int, int> pii;
//*******************************分割线,以上为代码自定义代码模板***************************************//

int t,n;
string str;//01字符串
void solve(){
	cin>>n>>str;
	stack<int> temp[2];//存储以0和1开头的子序列编号。
	vector<int> nums;//存储每个字符所在的子序列编号。
	int ans=0;//统计子序列数目。
	int res,x;
	//由于子序列是要不破坏顺序的,我们自然可以遍历。
	rep(i,0,n-1){
		x=str[i]-'0';//判断该字符是0还是1,这里之后我们没必要两个处理步骤,用!来实现。
		if(temp[x^1].empty()){
			//如果与之组合的栈是为空的,也就是当前没有可用的子序列连接。
			temp[x^1].push(++ans);//就新开一个子序列,假设前面有1个x^1的字符。
		}
		res=temp[x^1].top();//取当前子序列编号。
		nums.pb(res);//将该字符对应的子序列编号入队。
		//接下来这两步其实就是动态交接:01010100,我们看这01字符串,就是不断改变子序列中的连接点,若不能改变了,也就断了,此时就会新开一个。
		temp[x^1].pop();//出队,转变角色,将子序列编号给对家。
		temp[x].push(res);//转变角色,将子序列编号入队
	}
	int len=nums.size();
	cout<<ans<<endl;
	rep(i,0,len-1){
		cout<<nums[i];//将每个字符对应的子序列编号输出。
		if(i!=len-1)
			cout<<" ";
	}
	cout<<endl;
}
int main(){
	//freopen("in.txt", "r", stdin);//提交的时候要注释掉
	ios::sync_with_stdio(false);//打消iostream中输入输出缓存,节省时间。
	cin.tie(0); cout.tie(0);//可以通过tie(0)(0表示NULL)来解除cin与cout的绑定,进一步加快执行效率。
	while(cin>>t){
		while(t--){
			solve();
		}
	}
	return 0;
}

你可能感兴趣的:(思维,字符串,codeforces,思维,字符串)