Skip to content

Instantly share code, notes, and snippets.

@krzysztof-slowinski
Created August 23, 2018 07:14
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save krzysztof-slowinski/578e9806739a4f04c9f39b3ac024eacd to your computer and use it in GitHub Desktop.
Save krzysztof-slowinski/578e9806739a4f04c9f39b3ac024eacd to your computer and use it in GitHub Desktop.
Example HashMap using Python
class Node:
def __init__(self, value):
self.value = value
self.next_node = None
def get_value(self):
return self.value
def get_next_node(self):
return self.next_node
def set_next_node(self, next_node):
self.next_node = next_node
class LinkedList:
def __init__(self, head_node=None):
self.head_node = head_node
def insert(self, new_node):
current_node = self.head_node
if not current_node:
self.head_node = new_node
while (current_node):
next_node = current_node.get_next_node()
if not next_node:
current_node.set_next_node(new_node)
current_node = next_node
def __iter__(self):
current_node = self.head_node
while (current_node):
value = current_node.get_value()
current_node = current_node.get_next_node()
yield value
class HashMap:
def __init__(self, size):
self.array_size = size
self.array = [LinkedList() for i in range(size)]
def hash(self, key):
return sum(key.encode())
def compress(self, hash_code):
return hash_code % self.array_size
def assign(self, key, value):
hash_code = self.hash(key)
array_index = self.compress(hash_code)
payload = Node([key, value])
list_at_array = self.array[array_index]
list_at_array.insert(payload)
def retrieve(self, key):
hash_code = self.hash(key)
array_index = self.compress(hash_code)
list_at_index = self.array[array_index]
for item in list_at_index:
if item[0] == key:
return item[1]
return None
flower_definitions = [['begonia', 'cautiousness'], ['chrysanthemum', 'cheerfulness'], ['carnation', 'memories'],
['daisy', 'innocence'], ['hyacinth', 'playfulness'], ['lavender', 'devotion'],
['magnolia', 'dignity'], ['morning glory', 'unrequited love'], ['periwinkle', 'new friendship'],
['poppy', 'rest'], ['rose', 'love'], ['snapdragon', 'grace'], ['sunflower', 'longevity'],
['wisteria', 'good luck']]
blossom = HashMap(len(flower_definitions))
for each in flower_definitions:
blossom.assign(each[0], each[1])
for each in flower_definitions:
print(each[0] + ' (' + str(sum(each[0].encode()) % len(flower_definitions)) + '): ' + blossom.retrieve(each[0]))
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment