二叉树的深度
题目描述:输入一棵二叉树,求该树的深度。从根结点到叶结点依次经过的结点(含根、叶结点)形成树的一条路径,最长路径的长度为树的深度。
思路:通过广度优先遍历(BFS)来获取二叉树的深度。
步骤:
1 如果根结点为空,则返回0。
2 创建实现了Queue接口的LinkedList对象。
3 通过队列来执行BFS。
4 返回二叉树的深度。
Java代码:
import java.util.Queue;
import java.util.LinkedList;
/**
public class TreeNode {
int val = 0;
TreeNode left = null;
TreeNode right = null;
public TreeNode(int val) {
this.val = val;
}
}
*/
public class Solution {
// 从根结点到叶子结点的最长路径长度
// BFS
public int TreeDepth(TreeNode root) {
if (root == null) {
return 0;
}
Queue<TreeNode> queue = new LinkedList<TreeNode>();
queue.add(root);
int depth = 0;
while (true) {
int size = queue.size();
if (size == 0) {
break;
}
while (size > 0) {
TreeNode cur = queue.remove();
TreeNode left = cur.left, right = cur.right;
if (left != null) {
queue.add(left);
}
if (right != null) {
queue.add(right);
}
size--;
}
depth++;
}
return depth;
}
}
浙公网安备 33010602011771号