这道题只要想到一棵树的最大深度 = max(左子树的最大深度, 右子树的最大深度) + 1;就能做出来,利用这个规律递归就出来了。
class Solution {
int max,k = 1;
public int maxDepth(TreeNode root) {
if(root == null) return 0;
return dfs(root);
}
private int dfs(TreeNode root){
if(root == null)return 0;
int lHeight = dfs(root.left);
int rHeight = dfs(root.right);
return Math.max(lHeight, rHeight) + 1;
}
}
我看到题解除了用深度遍历的方法还用了广度遍历的方法。
class Solution {
public int maxDepth(TreeNode root) {
if (root == null) {
return 0;
}
Queue<TreeNode> queue = new LinkedList<TreeNode>();
queue.offer(root);
int ans = 0;
while (!queue.isEmpty()) {
int size = queue.size();
while (size > 0) {
TreeNode node = queue.poll();
if (node.left != null) {
queue.offer(node.left);
}
if (node.right != null) {
queue.offer(node.right);
}
size--;
}
ans++;
}
return ans;
}
}
它就是一层一层的放进去,并且一层一层的拿出来,每拿出来一层ans++,深度也就是层数,最后返回ans即可。