Problem Description
Design a time-based key-value data structure that can store multiple values for the same key at different time stamps and retrieve the key's value at a certain timestamp.
Implement the TimeMap
class:
TimeMap()
Initializes the object of the data structure.void set(String key, String value, int timestamp)
Stores the keykey
with the valuevalue
at the given timetimestamp
.String get(String key, int timestamp)
Returns a value such thatset
was called previously, withtimestamp_prev <= timestamp
. If there are multiple such values, it returns the value associated with the largesttimestamp_prev
. If there are no values, it returns""
.
Key Insights
- The
set
method allows storing values with associated timestamps, which must be unique for each key. - The
get
method requires efficient retrieval of the most recent value before or at a given timestamp. - A combination of a hash table and a sorted list (or binary search) can optimize both
set
andget
operations.
Space and Time Complexity
Time Complexity:
set
: O(1)get
: O(log n) (due to binary search)
Space Complexity: O(n) for storing the values and timestamps.
Solution
The solution utilizes a hash table (dictionary) to map each key to a list of tuples, where each tuple contains a timestamp and its corresponding value. This allows for efficient storage and retrieval. The set
method appends the value and timestamp to the list for the given key. The get
method performs a binary search on the list of timestamps to find the largest timestamp less than or equal to the requested timestamp, returning the associated value.