LeetCode104:二叉树的最大深度

题目描述

给定一个二叉树 root ,返回其最大深度。

二叉树的 最大深度 是指从根节点到最远叶子节点的最长路径上的节点数。

解题思想

可以使用层序遍历

cpp 复制代码
class Solution {
public:
    int maxDepth(TreeNode* root) {
        if (root == nullptr) return 0;

        queue<TreeNode*> que;
        int depth = 0;
        que.push(root);
        while (!que.empty()) {
            vector<int> vec;
            for (int i = que.size(); i > 0; i--) {
                TreeNode* tmp = que.front();
                que.pop();
                vec.push_back(tmp->val);

                if(tmp->left)  que.push(tmp->left);
                if(tmp->right) que.push(tmp->right);
            }
            
            ++depth;
        }
        return depth;
    }
};

解题思想

使用递归:后序遍历,求高度 。 高度==深度

cpp 复制代码
class Solution  {
public:
    int getDepth(TreeNode* node) {
        if (node == nullptr) return 0;
        //左
        int leftH = getDepth(node->left);
        //右
        int rightH = getDepth(node->right);
        //中
        int height = 1 + max(leftH, rightH);
        return height;
    }

    int maxDepth(TreeNode* root) {
        return getDepth(root);
    }
};

精简版

cpp 复制代码
class Solution {
public:
    int getDepth(TreeNode* node) {
        if (node == nullptr) return 0;
      
        return 1 + max(getDepth(node->left), getDepth(node->right));
    }

    int maxDepth(TreeNode* root) {
        return getDepth(root);
    }
};
相关推荐
沉鱼.443 分钟前
序列问题模型(LIS LCS LCIS)
数据结构
靠沿5 分钟前
【优选算法】专题十四——优先级队列
算法
无尽的罚坐人生10 分钟前
hot 100 35. 搜索插入位置
数据结构·算法·leetcode·二分查找
葳_人生_蕤11 分钟前
力扣Hot100——234.回文链表
算法·leetcode·链表
自信1504130575916 分钟前
数据结构之实现链式结构二叉树
c语言·数据结构·算法
EE工程师22 分钟前
数据结构篇 - C语言如何实现OOP
数据结构·oop
Barkamin30 分钟前
堆排序简单实现
java·数据结构·算法·排序算法
迈巴赫车主38 分钟前
天梯赛 L2-004 这是二叉搜索树吗?java
java·开发语言·数据结构·算法·天梯赛
沐苏瑶1 小时前
Java 数据结构精讲:二叉树遍历算法与底层实现剖析
数据结构·算法
董董灿是个攻城狮1 小时前
大模型连载8:词向量如何表示近义词?
人工智能·python·算法·机器学习