给定一个二叉树,找出其最大深度。
二叉树的深度为根节点到最远叶子节点的最长路径上的节点数。
说明: 叶子节点是指没有子节点的节点。
示例:
给定二叉树 [3,9,20,null,null,15,7],
3
/ \
9 20
/ \
15 7
返回它的最大深度 3 。
来源:力扣(LeetCode)
链接:https://leetcode.cn/problems/maximum-depth-of-binary-tree
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
深度优先或者广度优先。
深度优先直接在叶子节点判断长度,广度优先需要记录最大深度。
class Solution { public int maxDepth(TreeNode root) { return dfs(root, 0); } private int dfs (TreeNode root, int res) { if (root == null) { return res; } res ++; return Math.max(dfs(root.left, res), dfs(root.right, res)); } }
标签:力扣,res,dfs,---,二叉树,深度,root,节点 From: https://www.cnblogs.com/allWu/p/17402969.html