STL初识
STL初识
1.vector存放内置数据类型
容器: vector
算法: for_each
迭代器:vector<int>::iterator
示例:
#include<iostream>
using namespace std;
#include<vector>
#include<algorithm> //标准算法的头文件
//vector容器存放内置数据类型
void print(int value)
{
cout << value << endl;
}
void test01()
{
vector<int> v;//创建一个vector容器:v 类型为:int
//向容器中插入数据
v.push_back(10);
v.push_back(20);
v.push_back(30);
v.push_back(40);
//通过 迭代器访问容器中数据
vector<int>::iterator itBegin = v.begin();//起始迭代器,指向容器中第一个数据
vector<int>::iterator itEnd = v.end();//结束迭代器,指向容器最后一个元素的下一个位置
//第一种遍历方式
while (itBegin != itEnd)
{
cout << *itBegin << endl;
*itBegin++;
}
//第二种遍历方式
for (vector<int>::iterator it = v.begin(); v.begin() != v.end(); *it++)
{
cout << *it << endl;
}
//第三种遍历方式 利用STL提供的遍历算法
for_each(v.begin(), v.end(), print);//print:函数名
}
int main()
{
test01();
return 0;
}
2.vector存放自定义的数据类型
问题描述:
#include<iostream>
using namespace std;
#include<vector>
#include<string>
class Person
{
public:
Person(int age, string name)
{
this->m_age = age;
this->m_name = name;
}
int m_age;
string m_name;
};
void test01()
{
vector<Person>v;
Person p1(18, "mary");
Person p2(19, "jerry");
Person p3(20, "tom");
Person p4(21, "john");
Person p5(22, "mark");
//向容器中存放数据
v.push_back(p1);
v.push_back(p2);
v.push_back(p3);
v.push_back(p4);
v.push_back(p5);
//遍历容器中的数据
for (vector<Person>::iterator it = v.begin(); it != v.end(); it++)
{
cout << "姓名: " << (*it).m_name << "年龄: " << (*it).m_age << endl;//*it解出来的是Person数据类型
//或者:cout << "姓名: " << it->m_name << "年龄; " << it->m_age << endl;
}
}
//存放自定义数据类型 指针
void test02()
{
vector<Person*>v;//vector存放的是地址数据类型
Person p1(18, "mary");
Person p2(19, "jerry");
Person p3(20, "tom");
Person p4(21, "john");
Person p5(22, "mark");
//向容器中存放数据
v.push_back(&p1);
v.push_back(&p2);
v.push_back(&p3);
v.push_back(&p4);
v.push_back(&p5);
//遍历容器中的数据
for (vector<Person*>::iterator it = v.begin(); it != v.end(); it++)
{
cout << "姓名:" << (*it)->m_name << "年龄: " << (*it)->m_age << endl;//(*it)解出来的就是<>里面的数据类型,Person*是指针,则(*it)解出来的是指针
}
}
int main()
{
//test01();
test02();
system("pause");
return 0;
}
运行结果:
姓名:mary年龄: 18
姓名:jerry年龄: 19
姓名:tom年龄: 20
姓名:john年龄: 21
姓名:mark年龄: 22
请按任意键继续. . .
3.容器嵌套容器
演示案例:
#include<iostream>
using namespace std;
#include<vector>
//容器嵌套容器
void test01()
{
vector<vector<int>>v;
//创建小容器
vector<int>v1;
vector<int>v2;
vector<int>v3;
vector<int>v4;
//向小容器中添加数据
for (int i = 0; i < 4; i++)
{
v1.push_back(i + 1);
v2.push_back(i + 2);
v3.push_back(i + 3);
v4.push_back(i + 4);
}
//将小容器插入到大容器中
v.push_back(v1);
v.push_back(v2);
v.push_back(v3);
v.push_back(v4);
//通过大容器把所有数据遍历一遍
for (vector<vector<int>>::iterator it = v.begin(); it != v.end(); it++)
{
//(*it)-----容器vector<int>
//遍历小容器
for (vector<int>::iterator vit = (*it).begin(); vit!= (*it).end(); vit++)
{
cout << *vit << " ";
}
cout << endl;
}
}
int main()
{
test01();
system("pause");
return 0;
}
运行结果:
1 2 3 4
2 3 4 5
3 4 5 6
4 5 6 7
请按任意键继续. . .