语法格式 | 用法说明 |
---|---|
iterator insert(pos,elem) | 在迭代器 pos 指定的位置之前插入一个新元素elem,并返回表示新插入元素位置的迭代器。 |
iterator insert(pos,n,elem) | 在迭代器 pos 指定的位置之前插入 n 个元素 elem,并返回表示第一个新插入元素位置的迭代器。 |
iterator insert(pos,first,last) | 在迭代器 pos 指定的位置之前,插入其他容器(不仅限于vector)中位于 [first,last) 区域的所有元素,并返回表示第一个新插入元素位置的迭代器。 |
iterator insert(pos,initlist) | 在迭代器 pos 指定的位置之前,插入初始化列表(用大括号{}括起来的多个元素,中间有逗号隔开)中所有的元素,并返回表示第一个新插入元素位置的迭代器。 |
#include <iostream> #include <vector> #include <array> using namespace std; int main() { std::vector<int> demo{1,2}; //第一种格式用法 demo.insert(demo.begin() + 1, 3);//{1,3,2} //第二种格式用法 demo.insert(demo.end(), 2, 5);//{1,3,2,5,5} //第三种格式用法 std::array<int,3>test{ 7,8,9 }; demo.insert(demo.end(), test.begin(), test.end());//{1,3,2,5,5,7,8,9} //第四种格式用法 demo.insert(demo.end(), { 10,11 });//{1,3,2,5,5,7,8,9,10,11} for (int i = 0; i < demo.size(); i++) { cout << demo[i] << " "; } return 0; }运行结果为:
1 3 2 5 5 7 8 9 10 11
iterator emplace (const_iterator pos, args...);
其中,pos 为指定插入位置的迭代器;args... 表示与新插入元素的构造函数相对应的多个参数;该函数会返回表示新插入元素位置的迭代器。 举个例子:#include <vector> #include <iostream> using namespace std; int main() { std::vector<int> demo1{1,2}; //emplace() 每次只能插入一个 int 类型元素 demo1.emplace(demo1.begin(), 3); for (int i = 0; i < demo1.size(); i++) { cout << demo1[i] << " "; } return 0; }运行结果为:
3 1 2
#include <vector> #include <iostream> using namespace std; class testDemo { public: testDemo(int num) :num(num) { std::cout << "调用构造函数" << endl; } testDemo(const testDemo& other) :num(other.num) { std::cout << "调用拷贝构造函数" << endl; } testDemo(testDemo&& other) :num(other.num) { std::cout << "调用移动构造函数" << endl; } testDemo& operator=(const testDemo& other); private: int num; }; testDemo& testDemo::operator=(const testDemo& other) { this->num = other.num; return *this; } int main() { cout << "insert:" << endl; std::vector<testDemo> demo2{}; demo2.insert(demo2.begin(), testDemo(1)); cout << "emplace:" << endl; std::vector<testDemo> demo1{}; demo1.emplace(demo1.begin(), 1); return 0; }运行结果为:
insert:
调用构造函数
调用移动构造函数
emplace:
调用构造函数
本文链接:http://task.lmcjl.com/news/5322.html