給定一個(gè)二叉樹悉患,找出其最大深度搬卒。
二叉樹的深度為根節(jié)點(diǎn)到最遠(yuǎn)葉子節(jié)點(diǎn)的最長路徑上的節(jié)點(diǎn)數(shù)棕兼。
說明: 葉子節(jié)點(diǎn)是指沒有子節(jié)點(diǎn)的節(jié)點(diǎn)梅掠。
示例:
給定二叉樹 [3,9,20,null,null,15,7]枢析,
3
/ \
9 20
/ \
15 7
返回它的最大深度 3 玉掸。
代碼
/**
* Definition for a binary tree node.
* function TreeNode(val) {
* this.val = val;
* this.left = this.right = null;
* }
*/
/**
* @param {TreeNode} root
* @return {number}
*/
var maxDepth = function(root) {
if(root === null){
return 0;
}
let leftMaxDepth = root.left?maxDepth(root.left):0;
let rightMaxDepth = root.right?maxDepth(root.right):0;
let max = leftMaxDepth>rightMaxDepth?leftMaxDepth:rightMaxDepth;
return 1+max ;
};