分析:这是一道数据结构中树的基础题,主要考察二叉树的建立与遍历,可以用数组与指针两种方法实现。
方法一:数组模拟二叉树
说明:在测试数据较弱的情况下推荐使用这种方法
根据二叉树的性质可以得出:若父亲节点编号为X,则做左儿子节点编号为2X,右儿子节点编号为2X+1.
#include<stdio.h> #include<stdlib.h> const int N1=1e8+5; const int N2=1e2+5; int pos,len,t; char tree[N1]; char str[N2]; void create(int pos)//建立二叉树 { char c = str[t++]; if(c == '#')//若是‘#’,说明该节点为空返回上一级节点 return; tree[pos] = c;//若不是‘#’,为本节点赋值 create(pos*2);//递归创建左子树 create(pos*2+1);//递归创建右子树 } void traverse(int root)//中序遍历二叉树 { if(tree[root]==0)//如果该节点为0,说明该节点为空,返回上一级 return; traverse(2*root);//先遍历左子树 printf("%c ",tree[root]);//遍历完左子树后,访问本节点 traverse(2*root+1);//再遍历右子树 } int main() { while(scanf("%s",str)!=EOF) { t=0; create(1); traverse(1); printf("\n"); } }
方法二:通过指针创建及遍历二叉树
#include<stdio.h> #include<stdlib.h> const int N=1e3+5; int pos; char str[N]; typedef struct BiTNode { char data; struct BiTNode *lchild,*rchild; BiTNode(char c):data(c), lchild(NULL), rchild(NULL){}; }BiTNode; BiTNode* Create_Tree() { char c = str[pos++]; if(c =='#')//若是‘#’,说明该节点为空返回上一级节点 return NULL; BiTNode *root = new BiTNode(c);//若不为‘#’,则创建该节点,并为本节点赋值 root->lchild = Create_Tree();//创建左子树 root->rchild = Create_Tree();//创建右子树 return root; } void Traverse(BiTNode* root) { if(!root) return;//如果该节点为0,说明该节点为空,返回上一级 Traverse(root->lchild);//先遍历左子树 printf("%c ",root->data);//遍历完左子树后,访问本节点 Traverse(root->rchild);//再遍历右子树 } int main() { while(scanf("%s",&str)!=EOF) { pos = 0; BiTNode *root = Create_Tree(); Traverse(root); printf("\n"); } }