今天看了樹的相關操作,因為每個結點的子結點我們不能確定,但我們唯一可以確定的就是,每個結點都只有一個父結點(可以當成孩子父親理解)。所以我們就可以思考出一個結構來表示樹:兒子兄弟表示法,但今天沒有寫,等下次再寫。兒子兄弟表示法我們可以演化成左右子樹(二叉樹)表示法。定義如下:
typedef struct TNode {
int data;
struct TNode *lchild,*rchild;//左右子樹。
}TNode,*Tree;
下面就是一些相關的操作:
void Create (Tree *T);//建立一顆樹。
void PrintTree(Tree T,int i);//輸出樹,1可以先序輸出,2可以中序,3可以後序。
void PrintLNode(Tree T);//輸出該樹的結點。
int Depth (Tree T);//求出樹的深度。
int NodeCount (Tree T);//求出樹的結點樹。
int NodeCount (Tree T)
{
if (T == NULL) return 0;
else return NodeCount(T->lchild) + NodeCount(T->rchild) + 1;//遞迴遍歷左右子樹,並返回當前的結點數給上一層。
}
int Depth (Tree T)
{
int HL,HR,MAXH;
HL =HR = 0;//HL代表坐子樹深度,HR代表右子樹深度。
if (T) {
HL = Depth(T->lchild);
HR = Depth(T->rchild);
MAXH =(HL > HR)?HL:HR;
return MAXH+ 1;
}else
return 0;
}
void Create (Tree *T)
{
*T = (TNode*) malloc(sizeof(TNode));
int data;
scanf("%d",&data);//輸入-1停止插入。
if(data == -1) {
*T = NULL;
}else {
(*T)->data = data;
Create(&(*T)->lchild);
Create(&(*T)->rchild);
}
}
void PrintLNode (Tree T)
{
if (T) {
if(T->lchild == NULL && T->rchild == NULL) printf("%d ",T->data);//當結點的左右子樹為空,說明該結點為葉結點,則輸出。
PrintLNode(T->lchild);
PrintLNode(T->rchild);
}
}
void PrintTree (Tree T,int i) //三種方法遍歷樹。
{
if(T) {
if(i == 1) printf("%d ",T->data);
PrintTree(T->lchild,i);
if(i == 2) printf("%d ",T->data);
PrintTree(T->rchild,i);
if(i == 3) printf("%d ",T->data);
}
}
這個遞迴演算法太煩了,哎,多寫吧,任重道遠,還需努力,期待下一次的更新!