关于java:LeetCode111二叉树的最小深度

45次阅读

共计 1270 个字符,预计需要花费 4 分钟才能阅读完成。

二叉树的最小深度

题目形容:给定一个二叉树,找出其最小深度。

最小深度是从根节点到最近叶子节点的最短门路上的节点数量。

阐明:叶子节点是指没有子节点的节点。

示例阐明请见 LeetCode 官网。

起源:力扣(LeetCode)
链接:https://leetcode-cn.com/probl…
著作权归领扣网络所有。商业转载请分割官网受权,非商业转载请注明出处。

解法一:递归

首先,如果 root 为 null,间接返回 0。

否则,调用递归办法 minDepth(TreeNode root, int curDepth),root 为以后节点,curDepth 为以后深度,递归过程如下:

  • 如果 root 为 null,间接返回;
  • 否则,curDepth 加 1;
  • 而后判断如果 root 的左子树或者右子树有一边为 null,则调用递归办法,参数为不为 null 的子树和 curDepth,而后返回;
  • 如果 root 的左子树和右子树都不为 null,则左右子树都要调用递归办法。

过程中须要判断以后深度和 result 哪个小,result 取更小的一个,最初返回 result 即为数的最小深度。

public class LeetCode_111 {
    public static int result = Integer.MAX_VALUE;

    public static int minDepth(TreeNode root) {if (root == null) {return 0;}
        minDepth(root, 0);
        return result;
    }

    public static void minDepth(TreeNode root, int curDepth) {if (root == null) {return;}
        curDepth++;
        if (root.left == null && root.right == null) {if (curDepth < result) {result = curDepth;}
            return;
        }
        if (root.left == null && root.right != null) {minDepth(root.right, curDepth);
            return;
        }
        if (root.left != null && root.right == null) {minDepth(root.left, curDepth);
            return;
        }
        minDepth(root.left, curDepth);
        minDepth(root.right, curDepth);
    }

    public static void main(String[] args) {TreeNode root = new TreeNode(2);
        root.right = new TreeNode(3);
        root.right.right = new TreeNode(4);
        root.right.right.right = new TreeNode(5);
        root.right.right.right.right = new TreeNode(6);
        System.out.println(minDepth(root));
    }
}

【每日寄语】 有一天晚上我扔掉了所有的昨天,从此我的脚步就轻捷了。

正文完
 0