public member function
<set>

std::multiset::emplace

template <class... Args>  iterator emplace (Args&&... args);
Construct and insert element
Inserts a new element in the multiset. This new element is constructed in place using args as the arguments for its construction.

This effectively increases the container size by one.

Internally, multiset containers keep all their elements sorted following the criterion specified by its comparison object. The element is always inserted in its respective position following this ordering.

The element is constructed in-place by calling allocator_traits::construct with args forwarded.

A similar member function exists, insert, which either copies or moves existing objects into the container.

There are no guarantees on the relative order of equivalent elements.
The relative ordering of equivalent elements is preserved, and newly inserted elements follow their equivalents already in the container.

Parameters

args
Arguments forwarded to construct the new element.

Return value

An iterator to the newly inserted element.

Member type iterator is a bidirectional iterator type that points to elements.

Example

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
// multiset::emplace
#include <iostream>
#include <set>
#include <string>

int main ()
{
  std::multiset<std::string> mymultiset;

  mymultiset.emplace("foo");
  mymultiset.emplace("bar");
  mymultiset.emplace("foo");

  std::cout << "mymultiset contains:";
  for (const std::string& x: mymultiset)
    std::cout << ' ' << x;
  std::cout << '\n';

  return 0;
}
Output:
mymultiset contains: bar foo foo


Complexity

Logarithmic in the container size.

Iterator validity

No changes.

Data races

The container is modified.
Concurrently accessing existing elements is safe, although iterating ranges in the container is not.

Exception safety

Strong guarantee: if an exception is thrown, there are no changes in the container.
If allocator_traits::construct is not supported with the appropriate arguments, it causes undefined behavior.

See also