1. 程式人生 > >資料結構樹求深度和葉子節點數

資料結構樹求深度和葉子節點數

#include<iostream>
using namespace std;

typedef struct BiNode
{
char data; //結點資料域
struct BiNode *lchild,*rchild; //左右孩子指標
}BiTNode,*BiTree;



void CreateBiTree(BiTree &T)
{
//按先序次序輸入二叉樹中結點的值(一個字元),建立二叉連結串列表示的二叉樹T
char ch;
cin >> ch;
if(ch=='#')  T=NULL; //遞迴結束,建空樹
else{
T=new BiTNode;
T->data=ch; //生成根結點
CreateBiTree(T->lchild); //遞迴建立左子樹
CreateBiTree(T->rchild); //遞迴建立右子樹
} //else
} //CreateBiTree


int Depth(BiTree T)

int m,n;
if(T == NULL ) return 0;        //如果是空樹,深度為0,遞迴結束
else 
{

m=Depth(T->lchild); //遞迴計算左子樹的深度記為m
n=Depth(T->rchild); //遞迴計算右子樹的深度記為n
if(m>n) return(m+1); //二叉樹的深度為m 與n的較大者加1
else return (n+1);
}
}

int NodeCount(BiTree T){
int m;
BiNode *lchild,*rchild;
if(T == NULL) return 0;
else m = NodeCount(T->lchild)+NodeCount(T->rchild)+1;
if(m % 2 == 0) return m / 2;
else if((m+1) % 2 == 0) return (m+1)/2; 
}
int main()
{
BiTree tree;
cout<<"請輸入建立二叉連結串列的序列:\n";
CreateBiTree(tree);
cout<<"樹的深度為:"<<Depth(tree)<<endl;
cout<<"葉子結點數為: "<<NodeCount(tree)<<endl;
   system("pause");
  return 0;
}