Problem Description
Design a map that allows you to do the following:
- Maps a string key to a given value.
- Returns the sum of the values that have a key with a prefix equal to a given string.
Implement the MapSum
class:
MapSum()
Initializes theMapSum
object.void insert(String key, int val)
Inserts thekey-val
pair into the map. If thekey
already existed, the originalkey-value
pair will be overridden to the new one.int sum(string prefix)
Returns the sum of all the pairs' value whosekey
starts with theprefix
.
Key Insights
- A trie (prefix tree) can be used to efficiently store keys and their corresponding values, allowing for quick retrieval of sums based on prefixes.
- Keeping track of the total value for each node in the trie facilitates the calculation of sums for any given prefix.
- When inserting a key, if it already exists, we should update its value and adjust the sums in the trie accordingly.
Space and Time Complexity
Time Complexity:
insert
: O(m) where m is the length of the key.sum
: O(n) where n is the number of characters in the prefix.
Space Complexity:
- O(m * k) where m is the number of unique keys and k is the average length of the keys stored in the trie.
Solution
To solve the problem, we will use a trie data structure. Each node in the trie will represent a character in the keys, and we will store cumulative sums at each node to facilitate quick sum retrieval for any prefix.
- Create a
MapSum
class that contains a trie for storing keys and their values. - Implement the
insert
method to add or update a key-value pair, adjusting the sums in the trie accordingly. - Implement the
sum
method to return the total value of all keys that start with the given prefix by traversing the trie.