数据结构之二叉树的数组表示

二叉树的数组表示

表示完美二叉树

若某节点的索引为i,则该节点的左子节点的索引为2i+1,右子节点的索引为2i+2

代码实现

  • 给定某节点,获取它的左右字节点,父节点
  • 获取前序遍历,中序遍历,后序遍历,层序遍历
c++ 复制代码
/* 数组表示下的二叉树类 */
class ArrayBinaryTree {
  public:
    /* 构造方法 */
    ArrayBinaryTree(vector<int> arr) {
        tree = arr;
    }

    /* 列表容量 */
    int size() {
        return tree.size();
    }

    /* 获取索引为 i 节点的值 */
    int val(int i) {
        // 若索引越界,则返回 INT_MAX ,代表空位
        if (i < 0 || i >= size())
            return INT_MAX;
        return tree[i];
    }

    /* 获取索引为 i 节点的左子节点的索引 */
    int left(int i) {
        return 2 * i + 1;
    }

    /* 获取索引为 i 节点的右子节点的索引 */
    int right(int i) {
        return 2 * i + 2;
    }

    /* 获取索引为 i 节点的父节点的索引 */
    int parent(int i) {
        return (i - 1) / 2;
    }

    /* 层序遍历 */
    vector<int> levelOrder() {
        vector<int> res;
        // 直接遍历数组
        for (int i = 0; i < size(); i++) {
            if (val(i) != INT_MAX)
                res.push_back(val(i));
        }
        return res;
    }

    /* 前序遍历 */
    vector<int> preOrder() {
        vector<int> res;
        dfs(0, "pre", res);
        return res;
    }

    /* 中序遍历 */
    vector<int> inOrder() {
        vector<int> res;
        dfs(0, "in", res);
        return res;
    }

    /* 后序遍历 */
    vector<int> postOrder() {
        vector<int> res;
        dfs(0, "post", res);
        return res;
    }

  private:
    vector<int> tree;

    /* 深度优先遍历 */
    void dfs(int i, string order, vector<int> &res) {
        // 若为空位,则返回
        if (val(i) == INT_MAX)
            return;
        // 前序遍历
        if (order == "pre")
            res.push_back(val(i));
        dfs(left(i), order, res);
        // 中序遍历
        if (order == "in")
            res.push_back(val(i));
        dfs(right(i), order, res);
        // 后序遍历
        if (order == "post")
            res.push_back(val(i));
    }
};
相关推荐
zz07232034 分钟前
数据结构 —— 队列
数据结构
Bear on Toilet1 小时前
C++_Bug:现代写法拷贝构造中 swap 写法之小坑
数据结构·c++·bug
潼心1412o2 小时前
数据结构(长期更新)第8讲:队列
数据结构
fashion 道格2 小时前
C 语言希尔排序:原理、实现与性能深度解析
数据结构·算法·排序算法
如意猴3 小时前
实现链式结构二叉树--递归中的暴力美学(第13讲)
数据结构
初夏睡觉3 小时前
P1048 [NOIP 2005 普及组] 采药
数据结构·c++·算法
Zero不爱吃饭4 小时前
环形链表(C)
数据结构·链表
xiaoye-duck4 小时前
数据结构之二叉树-链式结构(下)
数据结构·算法
Kt&Rs4 小时前
11.13 LeetCode 题目汇总与解题思路
数据结构·算法
yuuki2332335 小时前
【数据结构】常见时间复杂度以及空间复杂度
c语言·数据结构·后端·算法