[Java·算法·简单]LeetCode104. 二叉树的最大深度

每天一题,防止痴呆

  • 题目
  • 示例
  • 分析思路1
  • 题解1
  • 分析思路2
  • 题解2

力扣原文

题目

给定一个二叉树,找出其最大深度。

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

说明: 叶子节点是指没有子节点的节点。

示例

给定二叉树 [3,9,20,null,null,15,7]3
   / \
  9  20
    /  \
   15   7
返回它的最大深度 3

分析思路1

深度优先搜索:
首先判断根节点是否为空,如果为空则返回 0。否则,我们递归调用 maxDepth 方法,分别计算左子树和右子树的最大深度,然后取两者之间的较大值,再加上 1,即为整个二叉树的最大深度。

题解1

class Solution {
    public int maxDepth(TreeNode root) {
        if (root == null) {
            return 0;
        }
        int leftDepth = maxDepth(root.left);
        int rightDepth = maxDepth(root.right);
        return Math.max(leftDepth, rightDepth) + 1;
    }
}

执行结果
[Java·算法·简单]LeetCode104. 二叉树的最大深度_第1张图片

分析思路2

广度优先搜索:
使用队列来实现,首先判断根节点是否为空,如果为空则返回 0。否则,我们创建一个队列 queue,并将根节点加入到队列中。然后,我们使用一个 while 循环来遍历整个二叉树。在每一层遍历时,我们首先获取当前队列中的节点数 size,然后依次取出这些节点,并将它们的左右子节点加入到队列中。接着,我们将深度 depth 加 1,以便记录二叉树的最大深度。

题解2

class Solution {
    public int maxDepth(TreeNode root) {
        if (root == null) {
            return 0;
        }
        Queue<TreeNode> queue = new LinkedList<>();
        queue.offer(root);
        int depth = 0;
        while (!queue.isEmpty()) {
            int size = queue.size();
            while (size-- > 0) {
                TreeNode node = queue.poll();
                if (node.left != null) {
                    queue.offer(node.left);
                }
                if (node.right != null) {
                    queue.offer(node.right);
                }
            }
            depth++;
        }
        return depth;
    }
}

执行结果
[Java·算法·简单]LeetCode104. 二叉树的最大深度_第2张图片

你可能感兴趣的:(算法,算法,java,leetcode)