最近开始学习数据结构发现,挺有意思的,于是把自己一些收获记录下来:
二叉树的存储结构及其遍历
1、顺序存储结构
用一组连续的存储空间依次自上而下、自左向右存储二叉树上的结点。
//二叉树的顺序存储结构下的前序、中序、后序遍历。
#include <stdio.h>
#define N 12
void preorder(int a[],int i)//前序遍历
{
if(i<N && a[i]!=0)
{
printf("%d ",a[i]);
preorder(a,2*i+1);
preorder(a,2*i+2);
}
}
void inorder(int a[],int i)//中序遍历
{
if(i<N && a[i]!=0)
{
inorder(a,2*i+1);
printf("%d ",a[i]);
inorder(a,2*i+2);
}
}
void postorder(int a[],int i)//后序遍历
{
if(i<N && a[i]!=0)
{
postorder(a,2*i+1);
postorder(a,2*i+2);
printf("%d ",a[i]);
}
}
int main()
{
int a[N]={1,2,3,0,5,6,0,0,0,8,9,10};//数字为0代表该结点不存在
printf("前序遍历:");
preorder(a,0);
printf("\n");
printf("中序遍历:");
inorder(a,0);
printf("\n");
printf("后序遍历:");
postorder(a,0);
return 0;
}
输出
前序遍历:1 2 5 8 9 3 6 10
中序遍历:2 8 5 9 1 10 6 3
后序遍历:8 9 5 2 10 6 3 1
2、链式存储结构
二叉链表和三叉链表
//二叉树链式存储结构下的前序、中序、后序遍历\
#include <stdio.h>
#include <stdlib.h>
struct BiTree
{
char c;
struct BiTree *lchild, *rchild;
};//二叉链表的形式存储
struct BiTree *create()//前序创建二叉树,即先创建根,再左子树,再右子树
{
struct BiTree *T;
char ch;
scanf("%c",&ch);
if(ch==' ')
T=NULL;//输入空格代表该节点不存在
else
{
T=(struct BiTree *)malloc(sizeof(struct BiTree));//为节点分配空间
T->c=ch;
T->lchild=create();
T->rchild=create();
}
return T;
}
void preorder(struct BiTree *q)//先序遍历
{
if(q)
{
printf("%c",q->c);
preorder(q->lchild);
preorder(q->rchild);
}
}
void inorder(struct BiTree *q)//中序遍历
{
if(q)
{
inorder(q->lchild);
printf("%c",q->c);
inorder(q->rchild);
}
}
void postorder(struct BiTree *q)//后序遍历
{
if(q)
{
postorder(q->lchild);
postorder(q->rchild);
printf("%c",q->c);
}
}
int main()
{
struct BiTree *root=NULL;
root=create();
printf("前序遍历:");
preorder(root);
printf("\n");
printf("中序遍历:");
inorder(root);
printf("\n");
printf("后序遍历:");
postorder(root);
printf("\n");
return 0;
}
输入:abc##de#f##g### #代表空格
输出:
前序遍历:abcdefg
中序遍历:cbefdga
后序遍历:cfegdba