给定一个 N 叉树,找到其最大深度。
最大深度是指从根节点到最远叶子节点的最长路径上的节点总数。
例如,给定一个 3叉树 :

我们应返回其最大深度,3。
说明:
- 树的深度不会超过
1000。 - 树的节点总不会超过
5000。
dfs递归求深度
/*
// Definition for a Node.
class Node {
public int val;
public List<Node> children;
public Node() {}
public Node(int _val,List<Node> _children) {
val = _val;
children = _children;
}
};
*/
class Solution {
int maxValue = 0;
public int maxDepth(Node root) {
if(root == null){
return 0;
}
int depth = 0;
for(int i = 0;i < root.children.size();i++){
depth = Math.max(depth,maxDepth(root.children.get(i)));
}
return depth + 1;
}
}
层序遍历求深度
/*
// Definition for a Node.
class Node {
public int val;
public List<Node> children;
public Node() {}
public Node(int _val,List<Node> _children) {
val = _val;
children = _children;
}
};
*/
class Solution {
int maxValue = 0;
public int maxDepth(Node root) {
if(root == null){
return 0;
}
if(root.children.size() == 0){
return 1;
}
int depth = 0;
Queue<Node> queue = new LinkedList<>();
queue.add(root);
while(queue.size()!=0){
depth++;
int count = queue.size();
for(int i = 0;i < count;i++){
Node node = queue.poll();
if(node.children.size() != 0){
queue.addAll(node.children);
}
}
}
return depth;
}
}
本文介绍了一种计算N叉树最大深度的方法,包括深度优先搜索(DFS)递归算法及层序遍历两种实现方式,并提供了具体的代码示例。
330

被折叠的 条评论
为什么被折叠?



