std::vector<T,Allocator>::emplace
来自 cppreference.com
template< class... Args > iterator emplace( const_iterator pos, Args&&... args ); |
(自 C++11) (自 C++20 起为 constexpr) |
|
在容器中的 pos 之前插入一个新元素。
该元素是通过 std::allocator_traits::construct 构造的,它通常使用放置 new 在容器提供的内存位置就地构造元素。但是,如果所需的内存位置已被现有元素占用,则插入的元素会先在另一个内存位置构造,然后移动赋值到所需的内存位置。
参数 args... 被转发到构造函数作为 std::forward<Args>(args)...。 args... 可以直接或间接引用容器中的值。
如果在操作之后,新的 size()
大于旧的 capacity()
,则会发生重新分配,在这种情况下所有迭代器(包括 end()
迭代器)以及对元素的所有引用都将失效。否则,只有插入点之前的迭代器和引用保持有效。
内容 |
[编辑] 参数
pos | - | 要构造新元素之前的迭代器 |
args | - | 要转发到元素构造函数的参数 |
类型要求 | ||
-T(容器的元素类型) 必须满足 MoveAssignable、MoveInsertable 和 EmplaceConstructible 的要求。 |
[编辑] 返回值
指向已就地构造元素的迭代器。
[编辑] 复杂度
在 pos 和容器末尾之间的距离上是线性的。
[编辑] 异常
如果抛出异常,但不是由 T
的复制构造函数、移动构造函数、赋值运算符或移动赋值运算符抛出的,或者如果在使用 emplace
在末尾插入单个元素时抛出异常,并且 T
既是 CopyInsertable 又是无异常移动可构造的,则没有任何效果(强异常保证)。
否则,效果未指定。
示例
运行此代码
#include <iostream> #include <string> #include <vector> struct A { std::string s; A(std::string str) : s(std::move(str)) { std::cout << " constructed\n"; } A(const A& o) : s(o.s) { std::cout << " copy constructed\n"; } A(A&& o) : s(std::move(o.s)) { std::cout << " move constructed\n"; } A& operator=(const A& other) { s = other.s; std::cout << " copy assigned\n"; return *this; } A& operator=(A&& other) { s = std::move(other.s); std::cout << " move assigned\n"; return *this; } }; int main() { std::vector<A> container; // reserve enough place so vector does not have to resize container.reserve(10); std::cout << "construct 2 times A:\n"; A two{"two"}; A three{"three"}; std::cout << "emplace:\n"; container.emplace(container.end(), "one"); std::cout << "emplace with A&:\n"; container.emplace(container.end(), two); std::cout << "emplace with A&&:\n"; container.emplace(container.end(), std::move(three)); std::cout << "content:\n"; for (const auto& obj : container) std::cout << ' ' << obj.s; std::cout << '\n'; }
输出
construct 2 times A: constructed constructed emplace: constructed emplace with A&: copy constructed emplace with A&&: move constructed content: one two three
[编辑] 缺陷报告
以下行为改变的缺陷报告被追溯地应用于先前发布的 C++ 标准。
DR | 应用于 | 已发布的行为 | 正确行为 |
---|---|---|---|
LWG 2164 | C++11 | 不清楚参数是否可以引用容器 | 已澄清 |
[编辑] 另请参阅
插入元素 (公共成员函数) | |
(C++11) |
在末尾就地构造一个元素 (公共成员函数) |