方法一:数组模拟二叉树
说明:在测试数据较弱的情况下推荐使用这种方法
根据二叉树的性质可以得出:若父亲节点编号为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 <iostream> #include <string> using namespace std; int t; string pre; struct TreeNode{ char val; TreeNode* left, *right; TreeNode(int x):val(x),left(NULL),right(NULL){} }; TreeNode* Create_Tree(){ char c = pre[t++]; //若是‘#’,说明该节点为空返回上一级节点 if(c == '#') return NULL; TreeNode* root = new TreeNode(c);//若不是#,为本节点赋值 root->left = Create_Tree();//递归创建左子树 root->right = Create_Tree();//递归创建右子树 return root; } void inOrder(TreeNode* root){ if(root == NULL){ return; } inOrder(root->left); cout << root->val << " "; inOrder(root->right); } int main(){ while(cin >> pre){ t = 0; TreeNode* root = NULL; root = Create_Tree(); inOrder(root); cout << endl; } return 0; }