LeetCodeツリーの最小深さ


ツリーの最小深さを計算します.最小深度はrootからリーフノードへの最小パスとして定義されます.
Javaバージョンは次のとおりです.
/**
 * Definition for binary tree
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
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;
    }
}