111. 二叉树的最小深度

https://leetcode-cn.com/problems/minimum-depth-of-binary-tree/solution/li-jie-zhe-dao-ti-de-jie-shu-tiao-jian-by-user7208/

思路:有个特殊情况,比如树是1,2.这样的话,根节点为1,最小深度为2.(左右子节点有一个为空的情况容易弄错!!!!!!)

假如根节点的左右子节点都不为空,最小深度等于左右子树的深度里,最小的那个加一

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {//最小深度是从根节点到最近叶子节点的最短路径上的节点数量。

//说明: 叶子节点是指没有子节点的节点。看笔记
    public int minDepth(TreeNode root) {
          if(root == null) return 0;
        //这道题递归条件里分为三种情况
        //1.左孩子和有孩子都为空的情况,说明到达了叶子节点,直接返回1即可
        if(root.left == null && root.right == null) return 1;
        //2.如果左孩子和由孩子其中一个为空,那么需要返回比较大的那个孩子的深度        
        int m1 = minDepth(root.left);
        int m2 = minDepth(root.right);
        //这里其中一个节点为空,说明m1和m2有一个必然为0,所以可以返回m1 + m2 + 1;
        if(root.left == null || root.right == null) return m1 + m2 + 1;
        
        //3.最后一种情况,也就是左右孩子都不为空,返回最小深度+1即可
        return Math.min(m1,m2) + 1; 


    }
}

  

原文地址:https://www.cnblogs.com/lzh1043060917/p/12841324.html