Professor Abdul-Quader
Lesson 10 (Hashtables / Collisions)
Two main strategies for collision resolution:
As we learn about these, keep this question in mind: in what scenarios (in terms of the table size \(s\) and the number of insertions \(N\)) might we prefer one scheme over the other?
contains
: compute the hash function, check the relevant list.table[h(x)]
is filled, look for an open spot to put \(x\) in.Exercise: Let \(s = 7\). Insert 0, 1, 2, 4, 14 using the strategy \(f(i) = i^2\). What happens?
Modular arithmetic is cyclical: anything over \(f(6)\) will repeat. Never find an open spot!
Set
and Map
interfaces.void put(K key, V value)
V get(K key)
boolean containsKey(K key)
HashMap<String, Integer> namesToAgesMap = new HashMap<>();
namesToAgesMap.put("Bob", 27);
namesToAgesMap.put("Athar", 29); // yeah right
namesToAgesMap.put("James", 55);
// some other code
public int getAge(Map<String, Integer> agesMap, String name) {
if (agesMap.containsKey(name)) {
return agesMap.get(name);
}
// if we don't know their age:
return -1;
}
Given a list of data, remove all duplicates from the data. That is, if your list is [1, 2, 1, 4, 3, 1, 3, 4, 1, 2], you should return [1, 2, 4, 3].
Notice that the list returned should have the elements listed in the order that they first appeared in the original list.
All slightly different versions of hte same problem.
Level-order traversal:
enqueue(root)
while (queue is not empty) {
dequeue a node
print node.data
enqueue node.left, node.right
}
Modify this algorithm to keep track of the path from the root to the node?