Problem Description
Design a HashSet without using any built-in hash table libraries. Implement the MyHashSet
class with methods to add, check for existence, and remove keys.
Key Insights
- A HashSet allows for efficient storage and retrieval of unique keys.
- The underlying data structure can be an array of linked lists to handle collisions.
- A hash function will map keys to indices in the array.
Space and Time Complexity
Time Complexity:
add
: O(1) on average, O(n) in the worst case due to collisions.contains
: O(1) on average, O(n) in the worst case due to collisions.remove
: O(1) on average, O(n) in the worst case due to collisions.
Space Complexity: O(n) for storing the keys, where n is the number of keys in the HashSet.
Solution
To design the MyHashSet
, we will utilize an array of linked lists to store the keys. The keys will be hashed to find their corresponding index in the array. Each index will point to a linked list that handles collisions through chaining. The add
method will insert keys into the appropriate linked list if they don't already exist. The contains
method will check if a key exists by traversing the linked list at the hashed index. The remove
method will delete the key from the linked list if it exists.