根据后序和中序输出前序

题目:

本题要求根据给定的一棵二叉树的后序遍历和中序遍历结果,输出该树的先序遍历结果。

输入格式:

第一行给出正整数N(≤30),是树中结点的个数。随后两行,每行给出N个整数,分别对应后序遍历和中序遍历结果,数字间以空格分隔。题目保证输入正确对应一棵二叉树。

输出格式:

在一行中输出Preorder:以及该树的先序遍历结果。数字间有1个空格,行末不得有多余空格。

输入样例:

7
2 3 1 5 7 6 4
1 2 3 4 5 6 7

输出样例:

Preorder: 4 1 3 2 6 5 7

 思路:

后序:左子树,右子树,根

中序:左子树,根,右子树

在中序中找到根(后续的最后一个元素),递归的构建左子树和右子树。

 

代码;

#include
#include
using namespace std;

void build(int post[],int in[],int postleft,int postright,int inleft,int inright){
	if(inleft>inright || postleft>postright)
		return;
	int index;
	for(index=inleft;index<=inright;index++)
		if(in[index]==post[postright])
			break;
	printf(" %d",in[index]);
    //记录左子树的长度
	int len = index-inleft;
	build(post,in,postleft,postleft+len-1,inleft,inleft+len-1);
	build(post,in,postleft+len,postright-1,inleft+len+1,inright);
} 
int main(){
	int n;
	int post[31],in[31];
	cin>>n;
	for(int i=0;i

 

你可能感兴趣的:(数据结构与算法)