Leetcode 111 Minimum Depth of Binary Tree

Given a binary tree, find its minimum depth.

The minimum depth is the number of nodes along the shortest path from the root node down to the nearest leaf node.

Note: A leaf is a node with no children.

Input: root = [3,9,20,null,null,15,7]
Output: 2
Input: root = [2,null,3,null,4,null,5,null,6]
Output: 5
image
image
  • Bu problem Binary Tree Level Order Traversal benzer olarak çözülebilir. Aynı BFS yaklaşımını kullanırız. Tek fark aynı leveldeki node ların tümünü tutmak yerine, sadece ağacın derinliğini tutarız. İlk yaprak(leaf) node u bulduğumuz anda ağacın minimum derinliğini bulmuş oluruz.
  • DFS çözüm ayrıntı eklenecek.
def minDepth(self, root: TreeNode) -> int:
        if not root:
            return 0
        q = []
        q.append((root,1))

        while q:
            node, depth = q.pop(0)

            if not node.left and not node.right: #leaf node mu kontrol et değilse devam
                return depth
            if node.left:
                q.append((node.left, depth+1))
            if node.right:
                q.append((node.right, depth+1))
def minDepth(self, root: TreeNode) -> int:
    if not root:
        return 0
    if not root.left and not root.right:
        return 1
    if not root.right and root.left:
        return 1 + self.minDepth(root.left)
    if not root.left and root.right:
        return 1 + self.minDepth(root.right)
    return 1 + min(self.minDepth(root.left),self.minDepth(root.right))