为什么运动构造函数被调用两次而 std::emplace_back 只被调用一次?

Why is movement constructor invoked twice while std::emplace_back is called only once?

我了解 std::emplace_back 使用 placement-new 在容器提供的位置就地构建元素。

为什么运动构造函数调用了两次而 std::emplace_back 只调用了一次?

这里是相关代码(检查https://godbolt.org/z/-NXzNY):

#include <vector>
#include <string>
#include <iostream>

struct President
{
    std::string name;
    std::string country;
    int year;

    President(std::string p_name, std::string p_country, int p_year)
        : name(std::move(p_name)), country(std::move(p_country)), year(p_year)
    {
        std::cout << "I am being constructed.\n";
    }
    President(President&& other)
        : name(std::move(other.name)), country(std::move(other.country)), year(other.year)
    {
        std::cout << "I am being moved.\n";
    }
    President& operator=(const President& other) = default;
};

int main()
{
    std::vector<President> elections;
    std::cout << "emplace_back:\n";
    elections.emplace_back("Nelson Mandela", "South Africa", 1994);

    President pst("Franklin", "the USA", 1936);

    std::cout << "=====================" << std::endl;
    elections.emplace_back(std::move(pst));
}

你有两个对象;将第二个放在向量中会导致向量调整大小、内存重新分配,因此需要移动。除了 emplace_back 所做的就地构造之外,这是移动构造的另一个要点:在 std::vector 调整大小时避免昂贵的副本。

将此行添加到您的代码时:

elections.reserve(2);

那你只有一个动作