|
板凳
楼主 |
发表于 2016-2-18 15:32:42
|
只看该作者
- #include<iostream>
- #include<string>
-
- using namespace std;
-
- typedef struct BTNode{
- char data;
- struct BTNode *lc, *rc;//左,右孩子指针
- } *BTree;
-
- void PostBtree(BTree & t, string mid, string post, int lm, int rm, int lp, int rp);
- void Preorder(BTree p);
-
- int main(int argc, char* argv[])
- {
- string mid, post;
- BTree root;
-
- cin >> mid;
- cin >> post;
- PostBtree(root, mid, post, 0, mid.size()-1, 0, post.size()-1);
- Preorder(root);
-
- system("pause");
- return 0;
- }
-
- /*
- 函数名称:PostBtree
- 函数功能:给出一棵二叉树的中序与后序序列,构造这棵二叉树。
- 输入参数: BTree & t:二叉树的结点t
- string mid:存储了二叉树的中序序列的字符串
- string post:存储了二叉树的后序序列的字符串
- int lm, int rm:二叉树的中序序列在数组mid中的左右边界
- int lp, int rp:二叉树的后序序列在数组post中的左右边界
- */
- void PostBtree(BTree & t, string mid, string post, int lm, int rm, int lp, int rp)
- {
- t = new BTNode; //构造二叉树根结点
- t->data = post[rp];
- t->lc = t->rc = NULL;
-
- int pos = lm;
- while (mid[pos] != post[rp])
- pos++;
- int lenL = pos - lm;
- if (pos > lm)//有左孩子,递归构造左子树
- PostBtree(t->lc, mid, post, lm, pos-1, lp, lp+lenL-1);
- if (pos < rm)//有右孩子,递归构造右子树
- PostBtree(t->rc, mid, post, pos+1, rm, lp+lenL, rp-1);
- }
- //先序遍历
- void Preorder(BTree p)
- {
- if(p != NULL)
- {
- cout << p->data; //输出该结点
- Preorder(p->lc); //遍历左子树
- Preorder(p->rc); //遍历右子树
- }
- }
复制代码 |
|