前言 大家好吖,欢迎来到 YY 滴C++系列 ,热烈欢迎! 本章主要内容面向接触过C++的老铁 主要内容含:
#include<vector> #include<iostream>
以及 展开命名空间using namespace std;
构造函数声明 | 功能说明 |
---|---|
vector()(重点) | 无参构造 |
vector(size_type n, const value_type& val = value_type()) (缺省) | 构造并初始化n个val |
vector (const vector& x); (重点) | 拷贝构造 |
vector (InputIterator first, InputIterator last); | 使用迭代器进行初始化构造 (这里用的迭代器不一定是vector的,可以给其他类型的迭代器) |
vector<int> v1();
//构造并初始化n个val(value可以是整型,string等等)
//< >内是val类型
vector<int> v1(10, 1);
vector<string> v2(10, "***");
for (auto e : v1)
{
cout << e << " ";
}
cout << endl;
vector<int> v1(10, 1);
vector<int> v2(v1)
【注意点】
iterator的使用 | 接口说明 |
---|---|
begin +end(重点) | 获取第一个数据位置的iterator/const_iterator, 获取最后一数据的下一个位置的iterator/const_iterator |
rbegin + rend | 获取最后一个数据位置的reverse_iterator,获取第一个数据前一个位置的reverse_iterat |
// 自己类型的迭代器,同是int
vector<int> v1(10, 1);
vector<int> v3(v1.begin(), v1.end());
//别人类型(char)的迭代器
string str("hello world");
vector<char> v4(str.begin(), str.end());
运行以下代码时,会发现原本应该打印【hello world】,结果却是【104 101 108 108 111 32 119 111 114 108 100】
//别人类型(char)的迭代器
string str("hello world");
vector<char> v4(str.begin(), str.end());
for (auto e : v4)
{
cout << e << " ";
}
cout << endl;
int a[] = { 16,2,77,29 };
vector<int> v5(a, a+4);
vector访问 | 说明 |
---|---|
find | 查找 |
operator[] (重点) | 像数组一样访问 |
iterator迭代器 | while循环&auto+范围for |
vector<int> v;
for (size_t i = 0; i < v.size(); i++)
{
cout << v[i] << " ";
}
cout << endl;
vector<int>::iterator it = v.begin();
while (it != v.end())
{
cout << *it << " ";
++it;
}
cout << endl;
for (auto e : v)
{
cout << e << " ";
}
cout << endl;
vector增删查改 | 接口说明 |
---|---|
push_back(重点) | 尾插 |
pop_back (重点) | 尾删 |
insert | 在position之前插入val |
erase | 删除position位置的数据 |
swap | 交换两个vector的数据空间 |
vector<string> v;
string name1("hello world");
v.push_back(name1);
v.push_back(string("hello world"));
v.push_back("hello world");
int a[] = { 16,2,77,29,3,33,43,3,2,3,3,2 };
vector<int> v1(a, a + sizeof(a)/sizeof(int));//指针(类比利用迭代器)区间初始化
// 头插
v1.insert(v1.begin(), 100);
int a[] = { 16,2,77,29,3,33,43,3,2,3,3,2 };
vector<int> v1(a, a + sizeof(a)/sizeof(int));//指针(类比利用迭代器)区间初始化
// 头删
v1.erase(v1.begin());
int a[] = { 16,2,77,29,3,33,43,3,2,3,3,2 };
vector<int> v1(a, a + sizeof(a)/sizeof(int));//指针(类比利用迭代器)区间初始化
// 删除3,但是不知道3在哪个位置,怎么办?find
//vector<int>::iterator pos = find(v1.begin(), v1.end(), 3);//利用关键字auto
auto pos = find(v1.begin(), v1.end(), 3);
if (pos != v1.end())
{
v1.erase(pos);
}
容量空间 | 功能说明 |
---|---|
size | 获取数据个数 |
capacity | 获取容量大小 |
empty | 判断是否为空,如果为空 (即不存在、已被赋值为null、false、0、''或未定义),则返回true ;否则返回 false 。 |
resize(重点) | 改变vector的size |
reserve (重点) | 改变vector的capacity |
vector<int> v1;
int _size=capacity(v1);
int _capacity=capacity(v1);
vector<int> v1;
v1.resize(10);
empty(v1);//返回false
vector<int> v1;
v1.resize(10);
for (size_t i = 0; i < 10; i++)
{
v1[i] = i;
}
vector<int> v2;
v2.reserve(10);
}