HashSet is a fundamental data structure in computer science, widely used for its efficiency in handling unique elements and providing constant-time complexity for basic operations like add, remove, and contains. It is particularly useful in scenarios where quick lookups and ensuring the uniqueness of elements are crucial, such as in caching, database indexing, and handling large datasets.
This article offers a curated selection of HashSet-related interview questions designed to test and enhance your understanding of this essential data structure. By working through these questions, you will gain deeper insights into its implementation, performance characteristics, and practical applications, thereby boosting your confidence and readiness for technical interviews.
HashSet Interview Questions and Answers
1. Explain how a HashSet internally stores elements.
A HashSet in Java uses a HashMap to store elements, with elements as keys and a constant dummy value. Key components include:
- Hashing: An element’s hash code is computed to determine its index in the underlying array.
- Bucket Array: An array of buckets stores elements, with each bucket holding multiple elements in case of collisions.
- Collision Resolution: Collisions are resolved using a linked list or balanced tree within the same bucket.
- Load Factor and Rehashing: The load factor determines when to resize the bucket array, triggering rehashing of elements.
2. How does HashSet handle hash collisions?
Hash collisions occur when different keys produce the same hash value, leading to multiple elements in the same bucket. HashSet handles collisions using:
- Chaining: Each bucket contains a linked list (or similar structure) of entries with the same hash value. New entries are added to this list.
- Open Addressing: This involves finding another open slot within the array when a collision occurs, using strategies like linear probing or double hashing.
3. Discuss the time complexity of basic operations (add, remove, contains).
HashSet provides constant-time performance for basic operations like add, remove, and contains, on average, due to its hash table structure.
- Add Operation: Average time complexity is O(1), but can degrade to O(n) with many collisions.
- Remove Operation: Similar to add, with average O(1) complexity, degrading to O(n) in worst-case scenarios.
- Contains Operation: Also O(1) on average, with potential degradation to O(n) due to collisions.
4. Demonstrate how to use a HashSet with a custom object, including overriding equals() and hashCode() methods.
To use a HashSet with a custom object, override the equals() and hashCode() methods in your class to ensure correct identification and management of unique instances.
Example:
import java.util.HashSet;
import java.util.Objects;
class Person {
    private String name;
    private int age;
    public Person(String name, int age) {
        this.name = name;
        this.age = age;
    }
    @Override
    public boolean equals(Object o) {
        if (this == o) return true;
        if (o == null || getClass() != o.getClass()) return false;
        Person person = (Person) o;
        return age == person.age && Objects.equals(name, person.name);
    }
    @Override
    public int hashCode() {
        return Objects.hash(name, age);
    }
}
public class Main {
    public static void main(String[] args) {
        HashSet people = new HashSet<>();
        people.add(new Person("Alice", 30));
        people.add(new Person("Bob", 25));
        people.add(new Person("Alice", 30)); // Duplicate not added
        System.out.println(people.size()); // Output: 2
    }
}
 
5. Write a code snippet to iterate over all elements.
To iterate over all elements in a HashSet, use a simple for loop.
Example:
my_set = {1, 2, 3, 4, 5}
for element in my_set:
    print(element)
6. Explain the fail-fast behavior of HashSet iterators.
HashSet iterators in Java are fail-fast, throwing a ConcurrentModificationException if the HashSet is modified after the iterator is created, except through the iterator’s remove method.
Example:
import java.util.HashSet;
import java.util.Iterator;
public class FailFastExample {
    public static void main(String[] args) {
        HashSet set = new HashSet<>();
        set.add("A");
        set.add("B");
        set.add("C");
        Iterator iterator = set.iterator();
        while (iterator.hasNext()) {
            System.out.println(iterator.next());
            set.add("D"); // Causes ConcurrentModificationException
        }
    }
}
  
7. Describe how to check if one HashSet is a subset of another.
To check if one HashSet is a subset of another in Python, use the issubset() method.
Example:
set_a = {1, 2, 3}
set_b = {1, 2, 3, 4, 5}
is_subset = set_a.issubset(set_b)
print(is_subset)  # Output: True
8. Compare the performance of HashSet with TreeSet and LinkedHashSet.
HashSet, TreeSet, and LinkedHashSet are Set interface implementations in Java with different characteristics.
- HashSet: Offers constant-time performance for basic operations, with no order guarantee.
- TreeSet: Uses a Red-Black tree, providing log(n) time for operations and maintaining natural order.
- LinkedHashSet: Maintains insertion order with a linked list, offering constant-time performance with additional overhead.
9. Write a method to remove all elements that satisfy a given condition.
To remove elements that satisfy a condition in a HashSet, iterate through it and remove elements meeting the criteria.
Example:
def remove_if(hash_set, condition):
    elements_to_remove = {element for element in hash_set if condition(element)}
    hash_set.difference_update(elements_to_remove)
# Example usage
hash_set = {1, 2, 3, 4, 5, 6}
condition = lambda x: x % 2 == 0  # Remove even numbers
remove_if(hash_set, condition)
print(hash_set)  # Output: {1, 3, 5}
10. Describe an advanced use case where a HashSet would be more beneficial than other collections.
A HashSet is beneficial for maintaining a collection of unique elements with frequent membership checks, additions, and deletions. An advanced use case is detecting duplicates in a large dataset efficiently.
Example:
def remove_duplicates(data_stream):
    unique_elements = set()
    for element in data_stream:
        if element not in unique_elements:
            unique_elements.add(element)
    return unique_elements
data_stream = [1, 2, 3, 4, 5, 1, 2, 6, 7]
print(remove_duplicates(data_stream))
# Output: {1, 2, 3, 4, 5, 6, 7}
In this example, the HashSet ensures each element is added only once, with constant-time membership checks.

