1. 程式人生 > >二叉樹的生成與遍歷

二叉樹的生成與遍歷

#include <stdio.h>
#include <stdlib.h>


struct node
{
int d;
struct node * lchild;
struct node * rchild;
};


struct node * CreateList(void); //生成二叉樹 
struct node * InsertList(struct node * root,int x); //插入二叉樹節點,小於根節點的作為左孩子,大於作為右孩子 
struct node * SearchList(struct node * root,int x); //查詢節點 
void LeftList(struct node* root);   //左遍歷二叉樹 


void main()
{
int key; 
struct node * root,*s;
root=CreateList();
printf("%d\n",root->d);
LeftList(root);

printf("input insert  key value\n");
scanf("%d",&key);  //不要寫成 scanf("%d\n",&key); 否則需要多輸入一些字元 
root=InsertList(root,key); 

printf("input the key needed to search\n");
scanf("%d",&key);  ////不要寫成 scanf("%d\n",&key); 否則需要多輸入一些字元  
s=SearchList(root,key);
if(s==NULL)
printf("No %d\n",key);
else
printf("Yes %d\n",key);

LeftList(root);
return ;

}


struct node * SearchList(struct node * root,int x)
{


if(root==NULL||(root->d==x))     //停止遞迴呼叫的條件 
return root;
if(x<root->d)
return SearchList(root->lchild,x); //將左子樹作為新的樹來查詢 ,遞迴思想 
else
    return SearchList(root->rchild,x);//將右子樹作為新的樹來查詢 ,遞迴思想 
}


void LeftList(struct node* root)
{
if(root!=NULL)
{
printf("%d\n",root->d);  //遞迴遍歷整個二叉樹 
LeftList(root->lchild);
LeftList(root->rchild);
}
return ;
}


struct node * InsertList(struct node * root ,int x)
{   
struct node * p,*f;
    p=root;                  //使p指向root,這樣可以找到二叉樹的根,隨後對p的操作也不會影響root 

while(p!=NULL)      //p從root開始遍歷,找到適合的插入點後退出,規定左孩子小於根,右孩子大於根, 
{
if(x==p->d)
return root;
f=p;
if(x>p->d)
p=p->rchild;
else
p=p->lchild;
}

p=(struct node *)malloc(sizeof(struct node));
p->d=x;
p->lchild=NULL;
p->rchild=NULL;

if(root==NULL)
root=p;
else
{
if(x<f->d)
f->lchild=p;   //插入節點 

else
f->rchild=p;   //插入節點 
    }
    
    return root;



struct node * CreateList(void)
{   
struct node * root=NULL;
int x;
scanf("%d",&x);
while(x)
{
root=InsertList( root, x);  //生成二叉樹的過程呼叫InsertList函式 
scanf("%d",&x);
}
return root;
}