根据二叉树的前序和中序或者后序和中序来确定二叉树结构(附例题)

根据中序和前序后序中的任意一种结构就可以确定二叉树的结构。

因为中序是按照左中右的顺序来遍历的。而前序是按照中左右的顺序来确定的,我们可以通过按照前序顺序来构建二叉树,通过中序来确定二叉树的左子树和右子树。后序和中序组合也是这样,只不过后序需要从后面开始找。

这里给出两个例题:

1.前序和中序确定:

数据结构与算法题目集(中文) 7-23 还原二叉树 (25 分)

给定一棵二叉树的先序遍历序列和中序遍历序列,要求计算该二叉树的高度。

输入格式:

输入首先给出正整数N(≤50),为树中结点总数。下面两行先后给出先序和中序遍历序列,均是长度为N的不包含重复英文字母(区别大小写)的字符串。

输出格式:

输出为一个整数,即该二叉树的高度。

输入样例:

9
ABDFGHIEC
FDHGIBEAC

输出样例:

5

 先还原二叉树,然后求高度。

代码如下:

#include 
using namespace std;
const int maxn=55;
int n;
int loc=0;
char pre[maxn],in[maxn];
struct tree
{
	int data;
	tree* left,*right;
};
int Find (char x)
{
	for (int i=0;ir)
	{
		return NULL;
	}
	char root=pre[loc++];
	int m=Find(root);
	tree* t=(tree*)malloc(sizeof(tree));
	t->data=root;
	if(l==r)
	{
		t->left=t->right= NULL;
	}
	else 
	{
		t->left=create(l,m-1);
		t->right=create(m+1,r);
	}
	return t;
}
int Height(tree* root)
{
	if(root==NULL)
	{
		return 0;
	}
	return max(Height(root->left),Height(root->right))+1;
}
int main()
{
	scanf("%d",&n);
	scanf("%s",pre);
	scanf("%s",in);
	tree* root=create(0,n-1);
	printf("%d\n",Height(root));
	return 0;
}

2. PAT (Advanced Level) Practice  1020 Tree Traversals (25 分)

还原二叉树,然后进行层次遍历。

代码如下:

#include 
using namespace std;
const int maxn=35;
struct tree
{
	int data;
	tree* left,*right;	
};
int n;
int post[maxn];
int in[maxn];
int loc;
int Find (int x)
{
	for (int i=0;ir)
	{
		return NULL; 
	}
	tree* t=(tree*)malloc(sizeof(tree));
	t->data=post[loc];
	int m=Find(post[loc--]);
	if(l==r)
	{
		t->left=t->right=NULL;
	}
	else 
	{
		t->right=create(m+1,r);
		t->left=create(l,m-1);
	}
	return t;
}
void Traverse (tree* root)
{
	int num=0;
	queueq;
	if(root)
		q.push(root);
	while (!q.empty())
	{
		int Size=q.size();
		while (Size--)
		{
			tree* t=q.front();
			q.pop();
			printf("%d",t->data);
			num++;
			if(num==n)
			{
				printf("\n");
			}
			else 
			{
				printf(" ");
			}
			if(t->left)
			{
				q.push(t->left);
			}
			if(t->right)
			{
				q.push(t->right);
			}
		}
	}
}
int main()
{
	scanf("%d",&n);
	loc=n-1;
	for (int i=0;i

 

 

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