如何在 C++ 中清除陣列元素值

Jinku Hu 2023年1月30日 2020年10月27日
  1. 使用 C++ 中內建的 fill() 方法清除陣列元素
  2. 使用 std::fill() 演算法在 C++ 中清除陣列元素
  3. 使用 fill_n() 演算法清除陣列元素
如何在 C++ 中清除陣列元素值

本文將介紹多種關於在 C++ 中如何清除陣列元素值的方法。

使用 C++ 中內建的 fill() 方法清除陣列元素

std::array 容器提供了多種對其元素進行操作的內建方法,其中之一是 fill() 方法。它將給定的值分配給陣列物件的每個元素。請注意,你可以用任何元素型別構造一個陣列,並且仍然可以使用 fill() 函式傳遞值來分配容器的每個成員。

#include <iostream>
#include <array>
#include <iterator>
#include <algorithm>

using std::cout; using std::endl;
using std::array; using std::fill;
using std::fill_n;

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

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

    nums.fill(0);

    cout << "| ";
    for (const auto &item : nums) {
        cout << item << " | ";
    }

    return EXIT_SUCCESS;
}

輸出:

| 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | 10 |
| 0 | 0 | 0 | 0 | 0 | 0 | 0 | 0 | 0 | 0 |

使用 std::fill() 演算法在 C++ 中清除陣列元素

或者,我們可以利用 STL <algorithm> 庫中定義的 std::fill 演算法。這個方法在基於範圍的物件上被呼叫,並給它的元素分配一個給定的值。元素的範圍作為前兩個引數傳遞的,第三個引數指定一個要分配的值。從 C++ 17 版本開始,使用者還可以將執行策略作為一個可選的引數來指定(詳見全文這裡)。

#include <iostream>
#include <array>
#include <iterator>
#include <algorithm>

using std::cout; using std::endl;
using std::array; using std::fill;
using std::fill_n;

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

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

    std::fill(nums.begin(), nums.end(), 0);

    cout << "| ";
    for (const auto &item : nums) {
        cout << item << " | ";
    }

    return EXIT_SUCCESS;
}

輸出:

| 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | 10 |
| 0 | 0 | 0 | 0 | 0 | 0 | 0 | 0 | 0 | 0 |

使用 fill_n() 演算法清除陣列元素

<algorithm> 標頭檔案的另一個有用的方法是 fill_n 演算法,它與上面的方法類似,只是它需要用給定的值修改幾個元素。在這種情況下,我們指定了 size() 方法的返回值,以模擬與上面程式碼例子中相同的行為。注意,執行策略標籤也適用於這個方法。

#include <iostream>
#include <array>
#include <iterator>
#include <algorithm>

using std::cout; using std::endl;
using std::array; using std::fill;
using std::fill_n;

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

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

    std::fill_n(nums.begin(), nums.size(), 0);

    cout << "| ";
    for (const auto &item : nums) {
        cout << item << " | ";
    }

    return EXIT_SUCCESS;
}

輸出:

| 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | 10 |
| 0 | 0 | 0 | 0 | 0 | 0 | 0 | 0 | 0 | 0 |
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++ Array