二叉樹的建立與遍歷

power_to_go發表於2016-08-08
資料結構實驗之二叉樹的建立與遍歷
Time Limit: 1000ms Memory limit: 65536K 有疑問?點這裡^_^
題目描述
已知一個按先序序列輸入的字元序列,如abc,,de,g,,f,,,(其中逗號表示空節點)。請建立二叉樹並按中序和後序方式遍歷二叉樹,最後求出葉子節點個數和二叉樹深度。

輸入
輸入一個長度小於50個字元的字串。
輸出
輸出共有4行:
第1行輸出中序遍歷序列;
第2行輸出後序遍歷序列;
第3行輸出葉子節點個數;
第4行輸出二叉樹深度。
示例輸入
abc,,de,g,,f,,,
示例輸出
cbegdfa
cgefdba
3
5
# include <stdio.h>
# include <stdlib.h>
# include <string.h>
typedef struct node
{
    char data;
    struct node*l,*r;
} Node;
Node *create_tree();
void in_order_traverse(Node*root);
void post_order_traverse(Node*root);
void leaf_count(Node*root);
int depth(Node*root);
char str[60];//全域性變數便於處理
int k,j;
int leaf;
int main()
{
    Node *root;
    scanf("%s",str);
    k = strlen(str);
    j = 0;
    leaf = 0;
    root = create_tree();
    in_order_traverse(root);
    printf("\n");
    post_order_traverse(root);
    printf("\n");
    leaf_count(root);
    printf("%d\n",leaf);
    printf("%d\n",depth(root));
    return 0;
}
Node *create_tree()
{
    Node *p;
    if(str[j] == ',' || j >= k)
    {
        j++;
        p = NULL;
        return p;
    }
    else
    {
        p = (Node*)malloc(sizeof(Node));
        p->data = str[j++];
        p->l = create_tree();
        p->r = create_tree();
    }
    return p;
}

void in_order_traverse(Node*root)
{
    if(root)
    {
        in_order_traverse(root->l);
        printf("%c",root->data);
        in_order_traverse(root->r);
    }
}

void post_order_traverse(Node*root)
{
    if(root)
    {
        post_order_traverse(root->l);
        post_order_traverse(root->r);
        printf("%c",root->data);
    }
}
void leaf_count(Node*root)
{
    if(root)
    {
        leaf_count(root->l);
        leaf_count(root->r);
        if(root->l == NULL && root->r == NULL)//葉子節點左右子樹都空
        leaf++;
    }
    //
    return;//返回上一級的呼叫位置處,開始執行上一級剩餘的程式碼
}
/*1如果根節點為空,則深度為0,返回0,遞迴的出口
2如果根節點不為空,那麼深度至少為1,然後我們求他們左右子樹的深度,
3比較左右子樹深度值,返回較大的那一個
4通過遞迴呼叫*/
int depth(Node*root)
{
    if(root == NULL)
    {
        return 0;
    }
    /*root 不空樹的深度至少為1*/
    int left = 1;
    int right = 1;
    left += depth(root->l);//求出左子樹的深度
    right += depth(root->r);//求出右子樹深度
    return left > right ? left : right;
}

相關文章