std::list<T,Allocator>::emplace

来自cppreference.com
< cpp‎ | container‎ | list

 
 
 
 
template< class... Args >
iterator emplace( const_iterator pos, Args&&... args );
(C++11 起)

在紧接 pos 之前的位置向容器插入新元素。

通过 std::allocator_traits::construct 构造元素,用布置 new 在容器提供的位置原位构造元素。

将实参 args... 作为 std::forward<Args>(args)... 转发给构造函数。 args... 可以直接或间接地指代容器中的值。

没有引用和迭代器会失效。

参数

pos - 将构造新元素到其前的迭代器
args - 转发给元素构造函数的参数
类型要求
-
T(容器的元素类型) 必须满足可就位构造 (EmplaceConstructible)

返回值

指向被安置的元素的迭代器。

复杂度

常数。

异常

若抛出了异常(例如由构造函数),则保留容器不修改,如同未曾调用过此函数(强异常保证)。

示例

#include <iostream>
#include <string>
#include <list>
 
struct A
{
    std::string s;
 
    A(std::string str) : s(std::move(str)) { std::cout << " 构造\n"; }
 
    A(const A& o) : s(o.s) { std::cout << " 复制构造\n"; }
 
    A(A&& o) : s(std::move(o.s)) { std::cout << " 移动构造\n"; }
 
    A& operator=(const A& other)
    {
        s = other.s;
        std::cout << " 复制赋值\n";
        return *this;
    }
 
    A& operator=(A&& other)
    {
        s = std::move(other.s);
        std::cout << " 移动赋值\n";
        return *this;
    }
};
 
int main()
{
    std::list<A> container;
 
    std::cout << "构造 2 次 A:\n";
    A two{"two"};
    A three{"three"};
 
    std::cout << "emplace:\n";
    container.emplace(container.end(), "one");
 
    std::cout << "以 A& 调用 emplace:\n";
    container.emplace(container.end(), two);
 
    std::cout << "以 A&& 调用 emplace:\n";
    container.emplace(container.end(), std::move(three));
 
    std::cout << "内容:\n";
    for (const auto& obj : container)
        std::cout << ' ' << obj.s;
    std::cout << '\n';
}

输出:

构造 2 次 A:
 构造
 构造
emplace:
 构造
以 A& 调用 emplace:
 复制构造
以 A&& 调用 emplace:
 移动构造
内容:
 one two three

缺陷报告

下列更改行为的缺陷报告追溯地应用于以前出版的 C++ 标准。

缺陷报告 应用于 出版时的行为 正确行为
LWG 2164 C++11 不清楚参数是否能指代容器 已澄清

参阅

插入元素
(公开成员函数)
在容器末尾原位构造元素
(公开成员函数)