如何在 C++ 中從函式中返回一個陣列

Jinku Hu 2023年1月30日 2020年9月26日
  1. 在 C++ 中使用指標操作從函式中返回 C 式陣列的方法
  2. 在 C++ 中使用 vector 容器從函式中返回陣列
如何在 C++ 中從函式中返回一個陣列

本文將介紹如何在 C++ 中從函式中返回陣列。

在 C++ 中使用指標操作從函式中返回 C 式陣列的方法

在 C/C++ 中,當 array[] 符號作為函式引數傳遞時,它只是一個指標,指向交給陣列的第一個元素。因此,我們需要構造的函式原型是返回儲存在陣列中的型別的指標;在我們的例子中,它是 int。一旦函式返回,我們就可以用陣列符號 [] 或 dereferencing 指標本身來訪問它的元素(也許可以像之前那樣做一些指標運算)。

#include <iostream>

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

int *MultiplyArrayByTwo(int arr[], int size){
    for (int i = 0; i < size; ++i) {
        arr[i] *= 2;
    }
    return arr;
}

int main(){
    constexpr int size = 10;
    int c_array[] = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};

    int *ptr = MultiplyArrayByTwo(c_array, size);

    cout << "array = [ ";
    for (int i = 0; i < size; ++i) {
        cout << ptr[i] << ", ";
    }
    cout << "]" << endl;

    return EXIT_SUCCESS;
}

輸出:

array = [ 2, 4, 6, 8, 10, 12, 14, 16, 18, 20, ]

請注意,MultiplyArrayByTwo 函式可以實現為 void,我們可以從 c_array 變數中訪問修改後的元素,因為它們指向同一個地址,如下例所示。

#include <iostream>

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

void MultiplyArrayByTwo(int arr[], int size)
{
    for (int i = 0; i < size; ++i) {
        arr[i] *= 2;
    }
}

int main(){
    constexpr int size = 10;
    int c_array[] = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};

    MultiplyArrayByTwo(c_array, size);

    cout << "array = [ ";
    for (int i = 0; i < size; ++i) {
        cout << c_array[i] << ", ";
    }
    cout << "]" << endl;

    return EXIT_SUCCESS;
}

在 C++ 中使用 vector 容器從函式中返回陣列

在這個版本中,我們將陣列儲存在一個 vector 容器中,這個容器可以動態地擴充套件它的元素,所以不需要傳遞 size 引數。

注意,我們返回的是一個與函式不同的物件,所以我們不能使用 cpp_array 來訪問它。我們需要建立一個新的變數,並將函式的返回值賦給它。然後我們就可以對其進行迭代,並輸出結果。

#include <iostream>
#include <vector>

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

vector<int> MultiplyArrayByTwo(const vector<int> *arr)
{
    vector<int> tmp{};

    for (const auto &item : *arr) {
        tmp.push_back(item * 2);
    }
    return tmp;
}

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

    auto cpp_array_2x = MultiplyArrayByTwo(&cpp_array);

    cout << "array = [ ";
    for (int i : cpp_array_2x) {
        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++ Function

相關文章 - C++ Array