16哈理工新生赛 G FBI Tree (模拟二叉树后序遍历)

来源:互联网 发布:php和ui哪个前景好 编辑:程序博客网 时间:2024/06/05 04:04

题目链接:点击打开链接

FBI Tree
Time Limit: 1000 MSMemory Limit: 32768 KTotal Submit: 58(41 users)Total Accepted: 47(41 users)Rating: Special Judge: NoDescription

FBI Tree的描述如下:

我们可以把由01组成的字符串分为3类,全0的串成为B串,全1的串成为I串,既含0又含1的串则称为F串。FBI树是一种二叉树,它的节点类型也包括F串节点、B串节点和I串节点三种。由一个长度为2^N01S可以构造出一颗FBIT,递归的构造方法如下:

(1)  T的根节点为R,其类型与串S的类型相同。

(2)  若串S的长度大于1,将串S从中间分开,分为等长的左右子串S1S2;由左子串S1构造R的左子树T1,由右子串S2构造R的右子树T2

现在给出一个长度为2^N01串,请用上述构造方法构造出一棵FBI树,并输出它的后续遍历序列。

Input

第一行为一个正整数T,表示测试数据组数。

每组测试数据第一行为一个整数N0 <= N <= 10),第二行是一个长度为2^N01串。

Output

输出FBI树的后续遍历序列。

Sample Input

2

1

10

3

10001011


Sample Output

IBF

IBFBBBFIBFIIIFF


Source2016级新生程序设计全国邀请赛

题解:模拟一下题意。自己建一棵二叉树,然后后序遍历一下就可以啦。


AC代码:

//#include<bits/stdc++.h>#include<iostream>#include<cstdio>#include<cstring>#include<cmath>using namespace std;int tree[1<<16];char s[1000];int n;#define mid ((l+r)>>1)void pushup(int rt){if(tree[rt<<1]==2 || tree[rt<<1|1]==2) tree[rt]=2;else if(tree[rt<<1]==0&&tree[rt<<1|1]==0) tree[rt]=0;else if(tree[rt<<1]==1&&tree[rt<<1|1]==0) tree[rt]=2;else if(tree[rt<<1]==0&&tree[rt<<1|1]==1) tree[rt]=2;else if(tree[rt<<1]==1&&tree[rt<<1|1]==1) tree[rt]=1;}void build(int rt,int l,int r){if(r==l){tree[rt]=s[l]-'0';return ;}build(rt<<1,l,mid);build(rt<<1|1,mid+1,r);pushup(rt);}int ans;void print(int rt){ans++;if(ans >= ( 1<<(n+1)) ) return ;if(tree[rt]==0) cout<<"B";else if(tree[rt]==1) cout<<"I";else if(tree[rt]==2) cout<<"F";}void dfs(int rt,int l,int r){if(l==r);else{dfs(rt<<1, l, mid);dfs(rt<<1|1, mid+1, r);}print(rt);return ;}int main(){    int t;    scanf("%d",&t);    while(t--)    {         ans=0;    scanf("%d",&n);        scanf("%s",s+1);        build(1, 1,(1<<(n+1))-1);dfs(1, 1, (1<<(n+1))-1);         puts("");}    return 0;}


3 0