C++ STL(二)

3、 vector容器

存放内置数据类型

#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;


void MyPrint(int value)
{
	cout << value << " ";
}


int main()
{
	// 创建了一个vector容器
	vector<int> v;
	// 向容器中插入数据
	v.push_back(10);
	v.push_back(20);
	v.push_back(30);
	v.push_back(40);
	v.push_back(50);


	// 通过迭代器访问容器中存放的数据

	/*
	第一种方法
	*/

	// 起始迭代器,指向容器中第一个元素
	vector<int>::iterator itBegin = v.begin();
	// 结束迭代器,指向容器中最后一个元素的下一个位置
	vector<int>::iterator itEnd = v.end();

	while (itBegin != itEnd)
	{
		cout << *itBegin << " ";
		itBegin++;
	}
	cout << endl;


	/*
	第二种方法
	*/
	for (vector<int>::iterator itBegin = v.begin(); itBegin != v.end(); itBegin++)
	{
		cout << *itBegin << " ";
	}

	cout << endl;

	/*
	第三种方法
	*/

	for_each(v.begin(), v.end(), MyPrint);
	cout << endl;
	return 0;
}

存放自定义数据类型

#include <iostream>
#include <string>
#include <vector>
using namespace std;

class Person {
public:
	Person(string name, int age) {
		this->name = name;
		this->age = age;
	}
	string name;
	int age;
};

void test01()
{
	Person p1("zhangsan", 10);
	Person p2("lisi", 20);
	Person p3("wangwu", 30);
	// 存放自定义的 Person 类型
	vector<Person> v;
	v.push_back(p1);
	v.push_back(p2);
	v.push_back(p3);
	// 遍历容器中的每个元素
	for (vector<Person> ::iterator it = v.begin(); it != v.end(); it++)
	{
		// 两种方法 得到 name和age
		cout << "NAME:" << (*it).name << "  AGE:" << it->age << endl;
	}
}

void test02()
{
	Person p4("111", 40);
	Person p5("222", 50);
	Person p6("333", 60);
	// vector存放 Person* 类型的数据
	vector<Person*> v2;
	v2.push_back(&p4);
	v2.push_back(&p5);
	v2.push_back(&p6);

	for (vector<Person*>::iterator it = v2.begin(); it != v2.end(); it++)
	{
		cout << "NAME:" << (**it).name << "  AGE:" << (*it)->age << endl;
	}
}

int main()
{
	test01();
	test02();
	return 0;
}

vector容器嵌套容器

#include <iostream>
#include <string>
#include <vector>
using namespace std;


void test01()
{
	// 创建一个大容器和三个小容器
	vector<vector<int>> v;
	vector<int> v1;
	vector<int> v2;
	vector<int> v3;
	// 向小容器中插入数据
	for (int i = 11; i <= 13; i++)
	{
		v1.push_back(i);
		v2.push_back(i + 10);
		v3.push_back(i + 20);
	}
	// 将三个小容器插入大容器
	v.push_back(v1);
	v.push_back(v2);
	v.push_back(v3);
	// 遍历整个大容器
	for (vector<vector<int>>::iterator it = v.begin(); it != v.end(); it++)
	{
		// 遍历每一个小容器
		for (vector<int>::iterator vit = (*it).begin(); vit != (*it).end(); vit++)
		{
			cout << (*vit) << " ";
		}
		cout << endl;
	}

}

int main()
{
	test01();
	return 0;
}
posted @ 2022-01-20 13:13  ProEmon  阅读(27)  评论(0)    收藏  举报