C++ 向量库 - emplace() 函数


描述

C++ 函数std::vector::emplace()通过在位置插入新元素来扩展容器。如果需要更多空间,则会进行重新分配。

此方法将容器大小增加一。

宣言

以下是 std::vector::emplace() 函数形式 std::vector 标头的声明。

C++11

template <class... Args>
iterator emplace (const_iterator position, Args&&... args);

参数

  • position - 要插入新元素的容器中的索引。

  • args - 转发以构造新元素的参数。

返回值

返回一个随机访问迭代器,它指向新放置的元素。

例外情况

如果重新分配失败,则会抛出bad_alloc异常。

时间复杂度

线性即 O(n)

例子

以下示例显示了 std::vector::emplace() 函数的用法。

#include <iostream>
#include <vector>

using namespace std;

int main(void) {
   vector<int> v = {1, 2, 5};

   /* insert element at index 3 */
   auto it = v.emplace(v.begin() + 2, 4);

   /* insert element at index 2 */
   v.emplace(it, 3);

   for (auto it = v.begin(); it != v.end(); ++it)
      cout << *it << endl;

   return 0;
}

让我们编译并运行上面的程序,这将产生以下结果 -

1
2
3
4
5
矢量.htm