: .
二叉树前序、中序、后序遍历相互求法
D
入右子树重复上面的过程。最后就可以还原一棵树了。该步递归的过程可以简洁表达如下:
1 确定根,确定左子树,确定右子树。
2 在左子树中递归。
3 在右子树中递归。
4 打印当前根。
那么,我们可以画出这个二叉树的形状:
那么,根据后序的遍历规则,我们可以知道,后序遍历顺序为:AEFDHZMG
编程求法:(依据上面的思路,写递归程序)
1 #include <iostream>
2 #include <fstream>
3 #include <string>
4
5 struct TreeNode
6 {
7 struct TreeNode* left;
8 struct TreeNode* right;
9 char elem;
10 };
11
12 void BinaryTreeFromOrderings(char* inorder, char* preorder, int length)
13 {
14 if(length == 0)
15 {
16 //cout<<"invalid length";
17 return;
18 }
19 TreeNode* node = new TreeNode;//Noice that [new] should be written out.
20 node->elem = *preorder;
21 int rootIndex = 0;
22 for(;rootIndex < length; rootIndex++)
23 {
24 if(inorder[rootIndex] == *preorder)
25 break;
26 }
27 //Left
28 BinaryTreeFromOrderings(inorder, preorder +1, rootIndex);
29 //Right
30 BinaryTreeFromOrderings(inorder + rootIndex + 1, preorder + rootIndex + 1, length - (rootIndex + 1));
31 cout<<node->elem<<endl;
32 return;
33 }
34
35
36 int main(int argc, char* argv[])
37 {
38 printf("Hello World!\n");
39 char* pr="GDAFEMHZ";
40 char* in="ADEFGHMZ";
41
42 BinaryTreeFromOrderings(in, pr, 8);
43
44 print
二叉树前序、中序、后序遍历相互求法 来自淘豆网m.daumloan.com转载请标明出处.