如何在 C++ 中遍歷向量

Jinku Hu 2023年1月30日 2020年10月15日
  1. 使用 for 迴圈遍歷向量
  2. 使用基於範圍的迴圈遍歷向量
  3. 使用 std::for_each 演算法遍歷向量
如何在 C++ 中遍歷向量

本文將介紹幾種使用不同迴圈遍歷 C++ 向量的方法。需要注意的是,為了更好的演示,示例程式碼使用 cout 操作在迭代過程中列印元素。

使用 for 迴圈遍歷向量

第一種方法是 for 迴圈,由三部分語句組成,每部分用逗號隔開。我們首先定義並初始化 i 變數為零。下一部分將 i 變數與 vector 中的元素數進行比較,後者用 size() 方法檢索。最後一部分作為比較部分每次迭代執行,並將 i 遞增 1。

#include <iostream>
#include <vector>

using std::cout; using std::cin;
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::cout; using std::cin;
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 <iostream>
#include <vector>
#include <algorithm>

using std::cout; using std::cin;
using std::endl; using std::vector;
using std::for_each;

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;
}
Author: Jinku Hu
Jinku Hu avatar Jinku Hu avatar

Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.

LinkedIn

相關文章 - C++ Vector