-
Notifications
You must be signed in to change notification settings - Fork 440
/
Copy pathsum_tree_nodes.py
48 lines (38 loc) · 1.02 KB
/
sum_tree_nodes.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
def num_nodes(tree):
"""Counts the number of nodes in a tree.
>>> class Node(object):
... def __init__(self, data):
... self.data=data
... self.children = []
... def add_child(self, obj):
... self.children.append(obj)
...
>>> one = Node(1)
>>> two = Node(2)
>>> three = Node(3)
>>> one.add_child(two)
>>> one.add_child(three)
>>> num_nodes(one)
3
>>> four = Node(4)
>>> five = Node(5)
>>> two.add_child(four)
>>> two.add_child(five)
>>> num_nodes(one)
5
>>> six = Node(6)
>>> three.add_child(six)
>>> num_nodes(one)
6
"""
nodes = 1
if tree is None:
return 0
for child in tree.children:
nodes += num_nodes(child)
return nodes
if __name__ == "__main__":
import doctest
results = doctest.testmod()
if not results.failed:
print "ALL TESTS PASSED"