-
Notifications
You must be signed in to change notification settings - Fork 139
/
Copy pathcount-unival-subtrees.py
44 lines (34 loc) · 992 Bytes
/
count-unival-subtrees.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
43
44
"""
#8
Google
A unival tree (which stands for "universal value") is a tree where all nodes under it have the same value.
Given the root to a binary tree, count the number of unival subtrees.
For example, the following tree has 5 unival subtrees:
0
/ \
1 0
/ \
1 0
/ \
1 1
"""
univalSubtreeCount = 0
class Node:
def __init__(self, val, left=None, right=None):
self.val = val
self.left = left
self.right = right
def isUnival(node):
return node.left == None and node.right == None or node.left.val == node.right.val
def countUnivalSubtrees(node):
global univalSubtreeCount
if isUnival(node):
univalSubtreeCount += 1
if node.right != None:
countUnivalSubtrees(node.right)
if node.left != None:
countUnivalSubtrees(node.left)
if __name__ == "__main__":
tree = Node(0, Node(1), Node(0, Node(1, Node(1), Node(1)), Node(0)))
countUnivalSubtrees(tree)
print(univalSubtreeCount)