SUNION, SINTER, SDIFF set operations in Redis - Time & Space Complexity
When working with Redis sets, it's important to know how the time to perform operations grows as the sets get bigger.
We want to understand how the cost changes when combining or comparing sets using SUNION, SINTER, and SDIFF.
Analyze the time complexity of the following Redis commands.
# Get union of sets
SUNION set1 set2 set3
# Get intersection of sets
SINTER set1 set2 set3
# Get difference of sets
SDIFF set1 set2 set3
These commands combine or compare multiple sets to produce a new set based on union, intersection, or difference.
Look at what repeats when Redis processes these commands.
- Primary operation: Scanning elements of each input set to compare or combine them.
- How many times: Each element in each set is checked once during the operation.
As the sets get bigger, Redis must look at more elements.
| Input Size (n) | Approx. Operations |
|---|---|
| 10 | About 10 checks per set |
| 100 | About 100 checks per set |
| 1000 | About 1000 checks per set |
Pattern observation: The work grows roughly in direct proportion to the total number of elements across all sets.
Time Complexity: O(N)
This means the time to complete the operation grows linearly with the total number of elements in all input sets.
[X] Wrong: "These set operations always take the same time no matter how big the sets are."
[OK] Correct: Actually, Redis must look at each element to combine or compare sets, so bigger sets take more time.
Understanding how set operations scale helps you explain performance in real projects and shows you can think about efficiency clearly.
What if we used SUNIONSTORE to save the union result in a new set? How would that affect the time complexity?