Logo

[LeetCode] 572. Subtree of Another Tree

[LeetCode] 572. Subtree of Another Tree の解答と解説

問題

https://leetcode.com/problems/subtree-of-another-tree/description/

解答

# 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 isSubtree(self, root: Optional[TreeNode], subRoot: Optional[TreeNode]) -> bool:        
        if not subRoot:
            return True
        if not root:
            return False
        
        if self.isIdentical(root, subRoot):
            return True
        
        return (self.isSubtree(root.left, subRoot) or self.isSubtree(root.right, subRoot))
    
    def isIdentical(self, root, subRoot):
        if not root and not subRoot: 
            return True
        if not root or not subRoot: 
            return False

        return root.val == subRoot.val and self.isIdentical(root.left, subRoot.left) and self.isIdentical(root.right, subRoot.right)

sをrootのノード数、hをrootの高さ、tをsubRootのノード数とすると、

  • Time Complexity: O(s * t)
  • Space Complexity: O(h)

解説

  • subtreeと同じかツリーかを判別する関数を用意(isIdentical)して、rootの各ノードに対して関数を適用するイメージ。
  • いずれかでtrueになれば最終結果はtrueを返す。
  • 全探索なので処理は重め。