-
Notifications
You must be signed in to change notification settings - Fork 0
/
bintree.py
executable file
·69 lines (54 loc) · 1.92 KB
/
bintree.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
#!/usr/bin/env python3
__author__ = "Fabian Golle <[email protected]>"
__copyright__ = "Fabian Golle <[email protected]>"
__version__ = "1.0"
__revision__ = "f0b3ab7"
__status__ = "Production"
class Node(object):
"""Represents a Node in a binary tree"""
weight = 0
value = ''
left = None
right = None
def __init__(self, value, weight):
super(Node, self).__init__()
self.value = value
self.weight = weight
def is_leaf(self):
"""Checks, if the current node is a leaf"""
return ((self.left == None) and (self.right == None))
def __lt__(self, other):
"""Performs a real less than comparision between current and other Node"""
return (self.weight < other.weight)
def __gt__(self, other):
"""Performs a real greater than comparision between current and other Node"""
return (self.weight > other.weight)
def __eq__(self, other):
"""Checks, if current Node equals other Node"""
return (self.weight == other.weight) if (self and other) else False
def __repr__(self):
return repr(self.value) + ", " + repr(self.weight)
def __add__ (self, other):
"""Links two Nodes to a new parent one"""
if(isinstance(other, Node) == False):
raise NotImplementedError
#self.value + other.value
newNode = Node(None, self.weight + other.weight);
newNode.left = self;
newNode.right = other;
return newNode;
def traverseTree(self, method='preorder'):
if (method not in ['preorder', 'inorder', 'postorder', 'front']):
raise NotImplementedError
lft = self.left.traverseTree(method) if self.left is not None else [];
rght = self.right.traverseTree(method) if self.right is not None else [];
#cur = [self.value, self.weight];
cur = [self.weight];
if (method == 'preorder'):
return cur + lft + rght
elif (method == 'inorder'):
return lft + cur + rght
elif (method == 'postorder'):
return lft + rght + cur
elif (method == 'front'):
return cur if self.is_leaf() == True else [] + lft + rght