-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathComplete_Binary_Tree.py
92 lines (61 loc) · 2.38 KB
/
Complete_Binary_Tree.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
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
"""
BFS of Tree.If child is None, then no more children should be found.
"""
def Solution(root: treeNode)->bool:
from collections import deque
if not root:
return True
bfs_q = deque([root])
no_more_children = False
while bfs_q:
cur_node = bfs_q.popleft()
if cur_node.left is None:
no_more_children = True
if cur_node.left:
if no_more_children:
return False
bfs_q.append(cur_node.left)
if cur_node.right is None:
no_more_children = True
if cur_node.right:
if no_more_children:
return False
bfs_q.append(cur_node.right)
return True
# def solution(root):
# height = -1
# completeness = False
# lastLevel = []
# # Finds the height of the Tree
# def findHeight(node: TreeNode):
# if node is None:
# return 0
# return max(findHeight(node.left), findHeight(node.right))+1
# # Checks is all the null nodes are at the last level. Returns False if null node in middle of the Tree.
# def checkComplete(node: TreeNode, level)->bool:
# nonlocal height
# # Collect all the nodes from left to right on the last level in lastlevel array.
# if level == height:
# if node is None:
# lastLevel.append(None)
# else:
# lastLevel.append(node.val)
# if node is None and level < height:
# return False
# if node is None:
# return True
# l = checkComplete(node.left, level+1)
# r = checkComplete(node.right, level +1)
# return l and r
# # Checks the leftness of the Tree. i.e all the null nodes in the last level are towards the right end of lastlevel array
# def leftness()->bool:
# nonlocal lastLevel
# print(lastLevel)
# for index in range(len(lastLevel)-1):
# if lastLevel[index] is None and lastLevel[index+1] is not None:
# return False
# return True
# height = findHeight(root)
# completeness = checkComplete(root,1)
# leftness = leftness()
# return completeness and leftness