104. 二叉树的最大深度
给定一个二叉树,找出其最大深度。
二叉树的深度为根节点到最远叶子节点的最长路径上的节点数。
说明: 叶子节点是指没有子节点的节点。
示例:
给定二叉树 [3,9,20,null,null,15,7]
,
3 / \ 9 20 / \ 15 7
返回它的最大深度 。
方法1:使用递归遍历的方法;每次遍历节点的左右子树的高度,返回最大的值,最后加1.
class Solution {
public int maxDepth(TreeNode root) {
return getMaxdDepth(root);
}
int getMaxdDepth(TreeNode node){
int depth=0;
if (node == null) return 0;
int left_depth=getMaxdDepth(node.left);
int right_depth=getMaxdDepth(node.right);
depth=Math.max(left_depth,right_depth) + 1;
return depth;
}
}
方法2:使用层次遍历的方法;每次遍历完一层之后执行res+1的操作;
class Solution {
public int maxDepth(TreeNode root) {
// new 一个队列出来
Queue<TreeNode> queue = new LinkedList<>();
int res=0;//记录有多少层数;
if (root == null)
return 0;
queue.add(root);
while (!queue.isEmpty()){
int size=queue.size();//记录每一层有多少元素;
while (size >0){
TreeNode top = queue.poll(); //队头出队;
if(top.left !=null){
queue.add(top.left);
}
if (top.right!=null){
queue.add(top.right);
}
size--;
}
//每次遍历一层就加1;
res+=1;
}
return res;//返回有多少层;
}
}
559. N 叉树的最大深度
给定一个 N 叉树,找到其最大深度。
最大深度是指从根节点到最远叶子节点的最长路径上的节点总数。
N 叉树输入按层序遍历序列化表示,每组子节点由空值分隔(请参见示例)。
示例 1:
输入:root = [1,null,3,2,4,null,5,6] 输出:3
示例 2:
输入:root = [1,null,2,3,4,5,null,null,6,7,null,8,null,9,10,null,null,11,null,12,null,13,null,null,14] 输出:5
分析:使用层次遍历的方法;
class Solution {
public int maxDepth(Node root){
Queue<Node> queue = new LinkedList<>();
int res=0;//返回层数;
if(root == null){
return 0;
}
queue.add(root);
while (!queue.isEmpty()){
int size=queue.size();
//遍历每一层;
while (size > 0){
//弹出队头元素
Node top = queue.poll();
//遍历node节点的孩子
for (Node node : top.children) {
//遍历每一个节点的子孩子
if (node!=null){
queue.add(node);
}
}
size--; //遍历完一个;
}
res+=1;
}
return res;
}
}