-
Notifications
You must be signed in to change notification settings - Fork 14
/
872-leaf-similar-trees.py
42 lines (39 loc) · 1.26 KB
/
872-leaf-similar-trees.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
# 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 leafSimilar(self, root1: Optional[TreeNode], root2: Optional[TreeNode]) -> bool:
if not root1 and not root2:
return True
if not root1 or not root2:
return False
def get_next_leaf(stack):
leaf = None
while stack:
node = stack.pop()
if not node.left and not node.right:
leaf = node
break
if node.right:
stack.append(node.right)
if node.left:
stack.append(node.left)
return leaf
stack1 = [root1]
stack2 = [root2]
while stack1 or stack2:
leaf1 = get_next_leaf(stack1)
leaf2 = get_next_leaf(stack2)
if not leaf1 and not leaf2:
continue
if not leaf1 or not leaf2:
return False
if leaf1.val != leaf2.val:
return False
return True
# time O(n)
# space O(n)
# using tree and dfs (preorder and iterative)