Introduction
After sequential containers, let's enter the world of associative containers and learn about the principle of key-value pairs.
We'll cover the following
C++ has eight different associative containers. Four of them are associative containers with sorted keys: std::set
, std::map
, std::multiset
, and std::multimap
. The other four are associative containers with unsorted keys: std::unordered_set
, std::unordered_map
, std::unordered_multiset
, and std::unordered_multimap
. The associative containers are special containers. That means they support all of the operations described in the chapter containers in general.
Overview
All eight ordered and unordered containers have one thing in common: they associate a key with a value. We can use the key to get the value. To classify the associative containers, three simple questions need to be answered:
- Are the keys sorted?
- Does the key have an associated value?
- Can a key appear more than once?
The following table with = 8 rows gives the answers to the three questions. The answer to a fourth question is in the table. How fast is the access time of a key in the best case?
Associative container | Sorted | Associated value | More identical keys | Access time |
---|---|---|---|---|
std::set |
yes | no | no | logarithmic |
std::unordered_set |
no | no | no | constant |
std::map |
yes | yes | no | logarithmic |
std::unordered_map |
no | yes | no | constant |
std::multiset |
yes | no | yes | logarithmic |
std::unordered_multiset |
no | no | yes | constant |
std::multimap |
yes | yes | yes | logarithmic |
std::unordered_multimap |
no | yes | yes | constant |
Characteristics for associative containers
Since C++98, there have been ordered associative containers; with C++11 came unordered associative containers. Both classes have a very similar interface. That’s the reason that the following code sample is identical for std::map
and std::unordered_map
. To be more precise, the interface of std::unordered_map
is a superset of the interface of std::map
. The same holds true for the remaining three unordered associative containers. So, porting your code from the ordered to unordered containers is quite easy.
We can initialize the containers with an initializer list and add new elements with the index operator. To access the first element of the key-value pair p
, we have p.first
, and for the second element, we have p.second
. p.first
is the key and p.second
is the associated value of the pair.
Get hands-on with 1400+ tech skills courses.