std::flat_map<Key,T,Compare,KeyContainer,MappedContainer>::emplace
Min standard notice:
Inserts a new element into the container constructed in-place with the given args, if there is no element with the key in the container.
# Declarations
template< class... Args >
std::pair<iterator, bool> emplace( Args&&... args );
(since C++23)
# Parameters
args: arguments to forward to the constructor of the element
# Return value
A pair consisting of an iterator to the inserted element (or to the element that prevented the insertion) and a bool value set to true if and only if the insertion took place.
# Example
#include <iostream>
#include <string>
#include <utility>
#include <flat_map>
int main()
{
std::flat_map<std::string, std::string> m;
// uses pair's move constructor
m.emplace(std::make_pair(std::string("a"), std::string("a")));
// uses pair's converting move constructor
m.emplace(std::make_pair("b", "abcd"));
// uses pair's template constructor
m.emplace("d", "ddd");
// emplace with duplicate key has no effect
m.emplace("d", "DDD");
// uses pair's piecewise constructor
m.emplace(std::piecewise_construct,
std::forward_as_tuple("c"),
std::forward_as_tuple(10, 'c'));
// an alternative is: m.try_emplace("c", 10, 'c');
for (const auto& p : m)
std::cout << p.first << " => " << p.second << '\n';
}