题目描述
输入一棵二叉树的根节点,求该树的深度。从根节点到叶节点依次经过的节点(含根、叶节点)形成树的一条路径,最长路径的长度为树的深度。
例如:
给定二叉树 [3,9,20,null,null,15,7]
,
返回它的最大深度 3 。
提示:
节点总数 <= 10000
题目链接
Leetcode
题目解答
解法一
广度优先遍历,使用队列把二叉树每层的节点都存起来,每访问完一层节点深度加1
,队列为空时,就能得到最大深度。
时间复杂度:$O(n)$ 空间复杂度:$O(n)$
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31
|
class Solution { public int maxDepth(TreeNode root) { if (root == null) return 0; LinkedList<TreeNode> queue = new LinkedList<>(); queue.add(root); int depth = 0; while (!queue.isEmpty()) { int size = queue.size(); for (int i = 0; i < size; i++) { TreeNode node = queue.poll(); if (node.left != null) { queue.add(node.left); } if (node.right != null) { queue.add(node.right); } } depth++; } return depth; } }
|
执行用时:1 ms, 在所有 Java 提交中击败了21.76%的用户
内存消耗:38.2 MB, 在所有 Java 提交中击败了85.87%的用户
解法二
深度优先遍历,如果根节点为空返回0
,否则返回左右子树最大深度再加上1
,也就是每一次递归深度加1
。
时间复杂度:$O(n)$ 空间复杂度:$O(n)$
1 2 3 4 5 6
| class Solution { public int maxDepth(TreeNode root) { if (root == null) return 0; return 1 + Math.max(maxDepth(root.left), maxDepth(root.right)); } }
|
执行用时:0 ms, 在所有 Java 提交中击败了100.00%的用户
内存消耗:38.4 MB, 在所有 Java 提交中击败了59.12%的用户
-------------本文结束 感谢您的阅读-------------
文章对您有帮助,可以打赏一杯咖啡,鼓励我继续创作!