牛客剑指offer刷题二叉树篇

文章目录

      • 二叉树的深度
        • 题目
        • 思路
        • 代码实现

二叉树的深度

题目

给定一个二叉树 root ,返回其最大深度。
二叉树的最大深度是指从根节点到最远叶子节点的最长路径上的节点数。

思路

采用递归的思想,分别计算根节点左右子树深度,然后比较左右子树深度大小,最大的值+1即为所求结果;

代码实现
    public static int maxDepth(TreeNode root) {
        if (root == null) {
            return 0;
        }
        int leftDepth = maxDepth(root.left);
        int rightDepth = maxDepth(root.right);
        return leftDepth > rightDepth ? leftDepth + 1 : rightDepth + 1;
    }

你可能感兴趣的:(数据结构与算法,算法)