leetcode-二叉树的最小深度

111. 二叉树的最小深度

# Definition for a binary tree node.
# class TreeNode:
#     def __init__(self, val=0, left=None, right=None):
#         self.val = val
#         self.left = left
#         self.right = right
class Solution:
    def minDepth(self, root: Optional[TreeNode]) -> int:
        # 如果根节点为空,那么最小深度为0
        if not root:
            return 0
        # 如果左子树和右子树为空,那么最小深度为1
        if not root.left and not root.right:
            return 1
        # 如果根节点的左子节点或右子节点为空,那么最小深度为非空子节点的最小深度加1
        if not root.left:
            return self.minDepth(root.right) + 1
        if not root.right:
            return self.minDepth(root.left) + 1
        # 如果根节点的左右子节点都不为空,那么最小深度为左右子节点的最小深度的较小值加1
        return min(self.minDepth(root.left), self.minDepth(root.right)) + 1

你可能感兴趣的:(leetcode)