文章目录
题目介绍
解法
如果知道了左子树和右子树的最大深度 l 和 r,那么该二叉树的最大深度即为max(l,r)+1,而左子树和右子树的最大深度又可以以同样的方式进行计算。因此我们可以用递归的方法来计算二叉树的最大深度。具体而言,在计算当前二叉树的最大深度时,可以先递归计算出其左子树和右子树的最大深度,然后在 O(1) 时间内计算出当前二叉树的最大深度。递归在访问到空节点时退出。
java
class Solution {
public int maxDepth(TreeNode root) {
if(root == null){
return 0;
}
int leftdpeth = maxDepth(root.left);
int rightdpeth = maxDepth(root.right);
return Math.max(leftdpeth,rightdpeth) + 1;
}
}