1. 程式人生 > >[leetcode] 111. 二叉樹的最小深度

[leetcode] 111. 二叉樹的最小深度

111. 二叉樹的最小深度

與獲取最大深度不同的是,要注意判斷下是不是葉子節點,

class Solution {
    public int minDepth(TreeNode root) {
        if (root == null) {
            return 0;
        }
        return getMin(root);
    }
    
    public int getMin(TreeNode root){
        if (root == null) {
            return Integer.MAX_VALUE;
        }
        if (root.left == null && root.right == null) {
            return 1;
        }
        return Math.min(getMin(root.left), getMin(root.right)) + 1;
    }
}