如何在 C++ 中遍历向量
Jinku Hu
2023年10月12日
本文将介绍几种使用不同循环遍历 C++ 向量的方法。需要注意的是,为了更好的演示,示例代码使用 cout
操作在迭代过程中打印元素。
使用 for
循环遍历向量
第一种方法是 for
循环,由三部分语句组成,每部分用逗号隔开。我们首先定义并初始化 i
变量为零。下一部分将 i
变量与 vector
中的元素数进行比较,后者用 size()
方法检索。最后一部分作为比较部分每次迭代执行,并将 i
递增 1。
#include <iostream>
#include <vector>
using std::cin;
using std::cout;
using std::endl;
using std::string;
using std::vector;
int main() {
vector<string> str_vec = {"bit", "nibble", "byte", "char",
"int", "long", "long long", "float",
"double", "long double"};
for (size_t i = 0; i < str_vec.size(); ++i) {
cout << str_vec[i] << " - ";
}
cout << endl;
return EXIT_SUCCESS;
}
输出:
bit - nibble - byte - char - int - long - long long - float - double - long double -
使用基于范围的循环遍历向量
for
循环在某些情况下会变得相当难读,这就是为什么有一种替代结构叫做基于范围的循环。这个版本更适合于迭代过于复杂的容器结构,并提供了灵活的功能来访问元素。请看下面的代码示例。
#include <iostream>
#include <vector>
using std::cin;
using std::cout;
using std::endl;
using std::string;
using std::vector;
int main() {
vector<string> str_vec = {"bit", "nibble", "byte", "char",
"int", "long", "long long", "float",
"double", "long double"};
for (auto item : str_vec) {
cout << item << " - ";
}
cout << endl;
return EXIT_SUCCESS;
}
使用 std::for_each
算法遍历向量
STL 算法有广泛的功能可供使用,其中一个方法是用于遍历,它的参数是:范围和要应用到范围元素的函数。下面的例子演示了我们如何用 lambda
表达式声明一个函数对象,然后用一条语句将这个 custom_func
应用于向量元素。
#include <algorithm>
#include <iostream>
#include <vector>
using std::cin;
using std::cout;
using std::endl;
using std::for_each;
using std::vector;
int main() {
vector<int> int_vec = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
auto custom_func = [](auto &i) { i *= i; };
for_each(int_vec.begin(), int_vec.end(), custom_func);
for (auto i : int_vec) cout << i << "; ";
cout << endl;
return EXIT_SUCCESS;
}
作者: Jinku Hu