如何在 C++ 中打印出向量的内容

Jinku Hu 2023年1月30日 2020年10月15日
  1. 使用 for 循环与元素访问记号打印出向量内容的方法
  2. 使用基于范围的循环和元素访问符号来打印出向量内容
  3. 使用 std::copy 打印出向量内容
  4. 使用 std::for_each 打印出向量内容
如何在 C++ 中打印出向量的内容

本文将介绍几种在 C++ 中如何打印出向量内容的方法。

使用 for 循环与元素访问记号打印出向量内容的方法

vector 元素可以通过 at() 方法或 [] 操作符来访问。在这个解决方案中,我们演示了这两种方法,并用 cout 流打印内容。首先,我们用任意整数初始化向量变量,然后遍历其元素打印出流。

#include <iostream>
#include <vector>

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

int main() {
    vector<int> int_vec = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };

    for (size_t i = 0; i < int_vec.size(); ++i) {
        cout << int_vec.at(i) << "; ";
    }
    cout << endl;

    for (size_t i = 0; i < int_vec.size(); ++i) {
        cout << int_vec[i] << "; ";
    }
    cout << endl;

    return EXIT_SUCCESS;
}

输出:

1; 2; 3; 4; 5; 6; 7; 8; 9; 10;
1; 2; 3; 4; 5; 6; 7; 8; 9; 10;

使用基于范围的循环和元素访问符号来打印出向量内容

前面的解决方案比较简单,但看起来很啰嗦。当代 C++ 提供了更灵活的表达迭代的方式,其中之一就是基于范围的循环。当循环做相对省力的操作,而且不需要并行化时,它被认为更易读。

#include <iostream>
#include <vector>

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

int main() {
    vector<int> int_vec = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };

    for (const auto &item : int_vec) {
        cout << item << "; ";
    }
    cout << endl;

    return EXIT_SUCCESS;
}

使用 std::copy 打印出向量内容

在一条语句中完成向量迭代和输出操作的一种比较先进的方法是调用 <algorithm> 库中定义的 copy 函数。这个方法接受一个用迭代器指定的向量范围,作为第三个参数,我们传递 ostream_iterator 将范围内的内容重定向到 cout 流。

#include <iostream>
#include <vector>
#include <algorithm>
#include <iterator>

using std::cout; using std::cin;
using std::endl; using std::vector;
using std::copy; using std::ostream_iterator;

int main(){
    vector<int> int_vec = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };

    copy(int_vec.begin(), int_vec.end(), ostream_iterator<int>(cout, "; "));
    cout << endl;

    return EXIT_SUCCESS;
}

使用 std::for_each 打印出向量内容

另一种在一条语句中完成迭代和输出操作的 STL 算法是 for_each。这个方法可以将某个函数对象应用到指定范围内的每个元素上,这是一个强大的工具。在这种情况下,我们通过 lambda 表达式,将元素打印到输出流中。

#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 };

    for_each(int_vec.begin(), int_vec.end(),
              [](const int& n) { cout << n << "; "; });
    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