二叉树part03(二)

  1. 平衡二叉树
cpp 复制代码
    int postorder(TreeNode* root) {
        if (root == NULL) return 0;

        int l = postorder(root->left);
        if (l == -1) return -1; // 只要出现-1 左子树中某个子树不是平衡二叉树,直接返回-1

        int r = postorder(root->right);
        if (r == -1) return -1;// 道理同上
        
        if (abs(l - r) > 1) return -1; // 尽管左右子树都是完全二叉树,两颗子树高度差>1 说明整颗树不是平衡二叉树

        int height = 1 + max(l,r);
        return height; // 否则返回最大高度
    }

    bool isBalanced(TreeNode* root) {
        if (postorder(root) == -1) return false;
        return true;
    }

257.二叉树的所有路径

cpp 复制代码
    vector<string> res;
    // 从根节点寻找所有路径,肯定是前序遍历,注意要保持字符串的输出格式
    void dfs(TreeNode* root, string s) {
        s += to_string(root->val);// 
        if (root->left == NULL && root->right == NULL) {
            res.push_back(s);
            return;
        }
        if (root -> left) dfs(root->left, s + "->"); 
        if (root -> right) dfs(root->right, s + "->");
        return;
    }

    vector<string> binaryTreePaths(TreeNode* root) { 
        res.clear();
        if (root == NULL) return res;
        string s;
        dfs(root, s);
        return res;
    }
  1. 二叉树的左叶子之和

看到本题可能一下想到层序遍历,其实没有那么简单,因为找的是左叶子不是左侧节点, 使用递归的话后序最好

cpp 复制代码
    // 后序方便一些
    int res = 0;
    void dfs(TreeNode* root) {
        // 看有无左儿子
        if (root->left) {
            // 判断左儿子是不是叶子
            if (root->left->left == NULL && root->left->right == NULL) {
                res += root->left->val;
                // 不是叶子就向下找
            }else dfs(root->left);
        } 
        // 右儿子直接向下找
        if (root->right) {
            dfs (root->right);
        }
        return;
    }

    int sumOfLeftLeaves(TreeNode* root) {
        // 节点数大于等于1
        if (root -> left == NULL && root->right == NULL) return res; // 节点数等于1和为0

        dfs(root);
        return res;
    }
相关推荐
CoovallyAIHub1 分钟前
MAR-YOLOv9:革新农业检测,YOLOv9的“低调”逆袭
深度学习·算法·计算机视觉
dragoooon344 分钟前
[优选算法专题十.哈希表 ——NO.55~57 两数之和、判定是否互为字符重排、存在重复元素]
数据结构·散列表
Mr Lee_7 分钟前
Smali 文件生成dex装箱算法整合
开发语言·python·算法
LDG_AGI13 分钟前
【推荐系统】深度学习训练框架(十三):模型输入——《特征索引》与《特征向量》的边界
人工智能·pytorch·分布式·深度学习·算法·机器学习
CoovallyAIHub14 分钟前
如何让SAM3在医学图像上比专用模型还强?一个轻量Adapter如何让它“秒变”专家?
深度学习·算法·计算机视觉
suoge22319 分钟前
热传导控制方程有限元弱形式推导-有限元编程入门
算法
希望有朝一日能如愿以偿20 分钟前
力扣每日一题:统计梯形的数目
算法·leetcode·职场和发展
碧波bibo39 分钟前
【算法突破】【C++】 第一篇 数组
c++·算法
45288655上山打老虎1 小时前
【智能指针】
开发语言·c++·算法
稚辉君.MCA_P8_Java1 小时前
Gemini永久会员 go数组中最大异或值
数据结构·后端·算法·golang·哈希算法