输入一棵二叉树的根节点,求该树的深度。从根节点到叶节点依次经过的节点(含根、叶节点)形成树的一条路径,最长路径的长度为树的深度。
例如:
给定二叉树 [3,9,20,null,null,15,7]
,
3
/ \
9 20
/ \
15 7
返回它的最大深度 3 。
提示:
- 节点总数 <= 10000`
注意:本题与主站 104 题相同:https://leetcode-cn.com/problems/maximum-depth-of-binary-tree/
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/er-cha-shu-de-shen-du-lcof/
解题思路:简单
对于这道题来说,无非也是递归和非递归的想法。
思路1: 递归
递归的想法很简单,就是求得最深的一个树的高度。如果当前节点没有子节点就是深度+1,如果有左节点,就求左子树的深度, 如果有右节点就求右子树的深度,最后取左右子树较深的一个。
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
public int maxDepth(TreeNode root) {
return root == null ? 0: Math.max(maxDepth(root.left),maxDepth(root.right))+1;
}
}
思路2:非递归
这里用双队列法,基本思路就是用队列Queue来存当前节点,用tmp 来存下一层的子节点,遍历结束后, 把下一层的节点集附给Queue继续遍历,深度+1,直到叶子节点。这种也算是广度遍历。
class Solution {
public int maxDepth(TreeNode root) {
if(root == null) return 0;
List<TreeNode> queue = new LinkedList<>() {{ add(root); }}, tmp;
int res = 0;
while(!queue.isEmpty()) {
tmp = new LinkedList<>();
for(TreeNode node : queue) {
if(node.left != null) tmp.add(node.left);
if(node.right != null) tmp.add(node.right);
}
queue = tmp;
res++;
}
return res;
}
}