Min/Max/Balanced Depth

  • 一个树 depth 的定义是,最深处 node 的 depth,所以要取 max.

public class Solution {
    public int maxDepth(TreeNode root) {
        if(root == null) return 0;

        return Math.max(maxDepth(root.left), maxDepth(root.right)) + 1;
    }
}

一个意思,不过注意拐弯处如果缺了一个 child 并不代表是 valid path,因为这个节点可能不是 leaf node.

public class Solution {
    public int minDepth(TreeNode root) {
        if(root == null) return 0;

        if(root.left == null) return minDepth(root.right) + 1;
        if(root.right == null) return minDepth(root.left) + 1;

        return Math.min(minDepth(root.left), minDepth(root.right)) + 1;
    }
}

已经不平衡的地方就直接 return -1 ,避免去进一步做不必要的递归。

Last updated

Was this helpful?