其他分享
首页 > 其他分享> > c语言二叉树的遍历

c语言二叉树的遍历

作者:互联网

利用拓展先序序列创建二叉树

什么是拓展前序序列,其实就是将前序序列中的空孩子做了标记,例如下面的一颗二叉树
ABC##DE#G##F### ,其中#号代表空孩子,这样我们可以仅仅只需要一个序列就可以创建一颗二叉树。
首先构造树的数据类型

// 创建树的数据类型
typedef struct Node {
    char val;
    struct Node* leftChild;
    struct Node* rightChild;
} BiTree, *BITree;```

```c
// 根据拓展序列创建二叉树
void createBitree (BITree *tree) {
    char ch;
    scanf("%c",&ch);
    if(ch == '#'){
        (*tree) = NULL;
    }
    else{
        *tree = (BITree)malloc(sizeof(BiTree));
        (*tree)->val = ch;
        createBitree(&((*tree)->leftChild));
        createBitree(&((*tree)->rightChild));
    }

}

遍历二叉树

这里主要有三种方式,分别是先序遍历,中序遍历和后序遍历。
其中三种方式的遍历思路是差不多的,只是遍历顺序的区别,这里拿先序遍历举个例子。
先序遍历:首先访问树的根节点,接着访问该结点的左孩子,然后又将这个节点按根-左孩子-右孩子访问,如果这个节点没有左孩子也没有右孩子,就返回上一次去访问他的右孩子,循环往复,直到访问完所有结点。
而中序的访问顺序为左孩子-根节点-右孩子,后序为根节点-左节点-右节点。
这边我是通过递归的方法实现的。

// 递归实现三种遍历
// 先序列遍历
void preVisit(BITree tree) {
    if (tree) {
        printf("%c", tree->val);
        preVisit(tree->leftChild);
        preVisit(tree->rightChild);
    }
    
}
// 中序遍历
void midVisit(BITree tree) {
    if (tree) {
        midVisit(tree->leftChild);
        printf("%c", tree->val);
        midVisit(tree->rightChild);
        
    }
}
// 后序遍历
void postVistit (BITree tree) {
    if (tree) {
        postVistit(tree->leftChild);
        postVistit(tree->rightChild);
        printf("%c", tree->val);
    }
}

标签:rightChild,遍历,语言,BITree,tree,二叉树,节点
来源: https://blog.csdn.net/chabuduoxs/article/details/121147521