目录
练习3.21
请使用迭代器重做3.3.3节的第一个练习。
题解:
#include <iostream>
#include <vector>
using namespace std;
//编写函数:使用迭代器输出vector对象的具体内容
//形参:针对vector容器中元素类型为int
void prin_vec(const vector<int> v) {
for (auto it = v.cbegin(); it != v.end(); ++it) {
cout << *it << " ";
}
cout << endl;
}
//形参:针对vector容器中元素类型为string
void prin_vec(const vector<string> v) {
for (auto it = v.cbegin(); it != v.end(); ++it) {
cout << *it << " ";
}
}
int main() {
vector<int> v1; //空的vector对象,元素个数为0
vector<int> v2(10);
vector<int> v3(10, 42);
vector<int> v4{ 10 };
vector<string> s1{ 10 };
vector<string> s2{ 10, "hi" };
vector<string> s3(10, " ");
//使用迭代器输出vector对象的容量
unsigned n = 0;
for (auto it = v3.cbegin(); it != v3.cend(); ++it) {
++n;
}
cout << "vector对象的容量为:" << n << endl;
//调用prin_vec()函数进行输出
prin_vec(v3);
prin_vec(s2);
return 0;
system("pause");
}
练习3.22
修改之前那个输出text第一段的程序,首先把text的第一段全部改成大写形式,然后输出它。
题解:
#include <iostream>
#include <vector>
using namespace std;
int main() {
//输出text中的第一段直至遇到第一个空为止
vector<string> text{ "nice to meet you!", "", "me too" };
//把text的第一段全部改为大写形式
for (auto it = text.begin();
it != text.end() && !it->empty(); ++it) {
for (auto& c : *it) {
if (isalpha(c)) { //如果c为字母时
c = toupper(c);
}
}
cout << *it << endl; //输出
}
return 0;
system("pause");
}
练习3.23
编写一段程序,创建一个含有10个整数的vector对象,然后使用迭代器将所有元素的值都变成原来的两倍。输出vector对象的内容,检验程序是否正确。
题解:
#include <iostream>
#include <vector>
using namespace std;
int main() {
//1.创建含有10个整数的vector对象
vector<int> ivec;
for (decltype(ivec.size()) i = 0; i != 10; ++i) {
ivec.push_back(i);
}
//2.利用迭代器,将所有元素进行平方并输出
for (auto it = ivec.begin(); it != ivec.end(); ++it) {
*it *= *it;
cout << *it << " ";
}
return 0;
system("pause");
}