给定一个二叉树,找出其最大深度。leetcode104

给定一个二叉树,找出其最大深度。
二叉树的深度为根节点到最远叶子节点的最长路径上的节点数。
说明: 叶子节点是指没有子节点的节点。
示例:
给定二叉树 [3,9,20,null,null,15,7],

对于该递归函数可以这样理解:一旦没有找到节点就会返回 0,每弹出一次递归函数就会加一,树有三层就会得到3
给定一个二叉树,找出其最大深度。leetcode104_第1张图片

var maxDepth = function(root) {
     if (!root) return 0 
    return Math.max(maxDepth(root.left), maxDepth(root.right)) + 1
};

========================================================================

**
 * Definition for binary tree
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
public class Solution {
    public int maxDepth(TreeNode root) {
        if (root == null){
            return 0;
        }else if (root.left == null && root.right == null){
            return 1;
        }else {
            int left = maxDepth(root.left);
            int right = maxDepth(root.right);
            return 1+(left>right?left:right);
        }
    }
}

你可能感兴趣的:(编程题)