统计利用先序遍历创建的二叉树的深度
10000(ms)
10000(kb)
3331 / 8436
利用先序递归遍历算法创建二叉树并计算该二叉树的深度。先序递归遍历建立二叉树的方法为:按照先序递归遍历的思想将对二叉树结点的抽象访问具体化为根据接收的数据决定是否产生该结点从而实现创建该二叉树的二叉链表存储结构。约定二叉树结点数据为单个大写英文字符。当接收的数据是字符"#"时表示该结点不需要创建,否则创建该结点。最后再统计创建完成的二叉树的深度(使用二叉树的后序遍历算法)。需要注意输入数据序列中的"#"字符和非"#"字符的序列及个数关系,这会最终决定创建的二叉树的形态。
输入
输入为先序遍历二叉树结点序列。
输出
对应的二叉树的深度。
样例输入
A## ABC#### AB##C## ABCD###E#F##G## A##B##
样例输出
1 3 2 4 1
1 #include<iostream> 2 #include<algorithm> 3 #include<cstring> 4 #include<cstdlib> 5 #include<cstdio> 6 typedef int Datetype; 7 using namespace std; 8 typedef struct link{ 9 Datetype date; 10 struct link *lchild; 11 struct link *rchild; 12 }tree; 13 14 void creattree(tree *&L) 15 { 16 char c; 17 cin>>c; 18 if(c=='#') 19 L=NULL; 20 else 21 { 22 L = (tree *)malloc(sizeof(tree)) ; 23 L->date=c; 24 creattree(L->lchild); 25 creattree(L->rchild); 26 } 27 } 28 29 void destroytree(tree *&L) 30 { 31 if(L!=NULL) 32 { 33 destroytree(L->lchild); 34 destroytree(L->rchild); 35 free(L); 36 } 37 } 38 39 int deep(tree *L) 40 { 41 int ldep,rdep,max; 42 if(L!=NULL) 43 { 44 ldep=deep(L->lchild); 45 rdep=deep(L->rchild); 46 max=ldep>rdep?ldep+1:rdep+1; 47 return max; 48 } 49 else 50 return 0; 51 } 52 53 int main() 54 { 55 tree *L = NULL; 56 int x; 57 creattree(L); 58 x=deep(L); 59 cout<<x; 60 destroytree(L); 61 return 0; 62 }