赞
踩
给定一个二叉树,找出其最大深度。
二叉树的深度为根节点到最远叶子节点的最长路径上的节点数。
说明: 叶子节点是指没有子节点的节点。
示例:
给定二叉树 [3,9,20,null,null,15,7],
3
/ \
9 20
/ \
15 7
返回它的最大深度 3 。
求最大深度,考虑使用深度优先遍历。
在深度优先遍历过程中,记录每个节点所在的层级,找出最大的层级即可。
新建一个变量,记录最大深度。
深度优先遍历整颗树,并记录每个节点的层级,同时不断刷新最大深度这个变量。
遍历结束返回最大深度这个变量。
1
- /**
- * Definition for a binary tree node.
- * function TreeNode(val, left, right) {
- * this.val = (val===undefined ? 0 : val)
- * this.left = (left===undefined ? null : left)
- * this.right = (right===undefined ? null : right)
- * }
- */
- /**
- * @param {TreeNode} root
- * @return {number}
- 解题思路
- 求最大深度,考虑使用深度优先遍历。
- 在深度优先遍历过程中,记录每个节点所在的层级,找出最大的层级即可。
-
- 解题步骤
- 新建一个变量,记录最大深度。
- 深度优先遍历整颗树,并记录每个节点的层级,同时不断刷新最大深度这个变量。
- 遍历结束返回最大深度这个变量。
- */
- var maxDepth = function(root) {
- let res = 0
-
- function dfs(root, l) {
- if(!root) return
-
- if(!root.left && !root.right) {
- res = Math.max(res, l)
- }
-
- dfs(root.left, l+1)
- dfs(root.right, l+1)
- }
-
- dfs(root, 1)
-
- return res
- };
2
- /**
- * Definition for a binary tree node.
- * function TreeNode(val, left, right) {
- * this.val = (val===undefined ? 0 : val)
- * this.left = (left===undefined ? null : left)
- * this.right = (right===undefined ? null : right)
- * }
- */
- /**
- * @param {TreeNode} root
- * @return {number}
- */
- var maxDepth = function(root) {
- if (!root) {
- return 0
- }
-
- return Math.max(maxDepth(root.left), maxDepth(root.right)) + 1
- };
1
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。