求二叉樹高度
阿新 • • 發佈:2022-04-22
求二叉樹高度
本題要求給定二叉樹的高度
函式介面定義
int GetHeight( BinTree BT );
其中BinTree
結構定義如下:
typedef struct TNode *Position;
typedef Position BinTree;
struct TNode{
ElementType Data;
BinTree Left;
BinTree Right;
};
要求函式返回給定二叉樹BT的高度值。
裁判測試程式樣例
#include <stdio.h> #include <stdlib.h> typedef char ElementType; typedef struct TNode *Position; typedef Position BinTree; struct TNode{ ElementType Data; BinTree Left; BinTree Right; }; BinTree CreatBinTree(); /* 實現細節忽略 */ int GetHeight( BinTree BT ); int main() { BinTree BT = CreatBinTree(); printf("%d\n", GetHeight(BT)); return 0; } /* 你的程式碼將被嵌在這裡 */
輸入樣例(對於圖中給出的樹)
4
程式碼
int GetHeight(BinTree BT) { int leftHeight = 0; /* 初始化左子樹高度為0 */ int rightHeight = 0; /* 初始化右子樹高度為0 */ if (BT != NULL) { /* 當根節點不為NULL */ leftHeight = GetHeight(BT->Left) + 1; /* 遞迴獲得左子樹高度,每往下走高度加1 */ rightHeight = GetHeight(BT->Right) + 1; /* 遞迴獲得右子樹高度,每往下走高度加1 */ } return leftHeight >= rightHeight ? leftHeight : rightHeight; /* 取左右子樹中最大的高度作為樹的高度 */ }