-
Notifications
You must be signed in to change notification settings - Fork 220
/
Huffman-coding.py
59 lines (43 loc) · 1.38 KB
/
Huffman-coding.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
# Huffman Coding in python
string = "BCAADDDCCACACAC"
# Creating tree nodes
class NodeTree(object):
def __init__(self, left=None, right=None):
self.left = left
self.right = right
def children(self):
return (self.left, self.right)
def nodes(self):
return (self.left, self.right)
def __str__(self):
return "%s_%s" % (self.left, self.right)
# Main function implementing huffman coding
def huffman_code_tree(node, left=True, binString=""):
if type(node) is str:
return {node: binString}
(l, r) = node.children()
d = dict()
d.update(huffman_code_tree(l, True, binString + "0"))
d.update(huffman_code_tree(r, False, binString + "1"))
return d
# Calculating frequency
freq = {}
for c in string:
if c in freq:
freq[c] += 1
else:
freq[c] = 1
freq = sorted(freq.items(), key=lambda x: x[1], reverse=True)
nodes = freq
while len(nodes) > 1:
(key1, c1) = nodes[-1]
(key2, c2) = nodes[-2]
nodes = nodes[:-2]
node = NodeTree(key1, key2)
nodes.append((node, c1 + c2))
nodes = sorted(nodes, key=lambda x: x[1], reverse=True)
huffmanCode = huffman_code_tree(nodes[0][0])
print(" Char | Huffman code ")
print("----------------------")
for (char, frequency) in freq:
print(" %-4r |%12s" % (char, huffmanCode[char]))