3

我对 C++ 比较陌生,并且很难将我的数组传递给一个单独的函数。很抱歉重新提出一个毫无疑问之前已经回答过十几次的问题,但我找不到任何与我的代码问题类似的问题。

int main()
{
    Array<int> intarray(10);
    int grow_size = 0;

    intarray[0] = 42;
    intarray[1] = 12;
    intarray[9] = 88;

    intarray.Resize(intarray.Size()+2);
    intarray.Insert(10, 6);

    addToArray(intarray);

    int i = intarray[0];

    for (i=0;i<intarray.Size();i++) 
    cout<<i<<'\t'<<intarray[i]<<endl;

    Sleep(5000);
}

void addToArray(Array<int> intarray)
{
    int newValue;
    int newIndex;

    cout<<"What do you want to add to the array?"<<endl;
    cin >> newValue;
    cout<<"At what point should this value be added?"<<endl;
    cin >> newIndex;

    intarray.Insert(newValue, newIndex);
}
4

2 回答 2

5

您正在传递数组的副本,因此任何更改都不会影响原始数组。通过引用传递:

void addToArray(Array<int> &intarray)
//                         ^
于 2013-06-28T15:13:56.843 回答
2

这是关于参数传递的更一般问题的一个特例。

您可能需要考虑以下准则:

  1. 如果您想将某些内容传递给函数以在函数内部对其进行修改(并使更改对调用者可见),请通过引用传递( &)。

    例如

    // 'a' and 'b' are modified inside function's body,
    // and the modifications should be visible to the caller.
    //
    //     ---> Pass 'a' and 'b' by reference (&) 
    //
    void Swap(int& a, int& b)
    {
        int temp = a;
        a = b;
        b = temp;
    }
    
  2. 如果您想将复制成本较低的东西(例如 an int、 adouble等)传递给函数以在函数内部观察它,您可以简单地通过 value 传递

    例如

    // 'side' is an input parameter, "observed" by the function.
    // Moreover, it's cheap to copy, so pass by value. 
    //
    inline double AreaOfSquare(double side)
    {
        return side*side;
    }
    
  3. 如果您想将不便宜的复制(例如 a std::stringstd::vector等)传递给函数以在函数内部观察它(不修改它),您可以通过 const 引用( const &) 传递。

    例如

    // 'data' is an input parameter, "observed" by the function.
    // It is in general not cheap to copy (the vector can store
    // hundreds or thousands of values), so pass by const reference.
    //
    double AverageOfValues(const std::vector<double> & data)
    {
        if (data.empty())
            throw std::invalid_argument("Data vector is empty.");
    
        double sum = data[0];
        for (size_t i = 1; i < data.size(); ++i)
            sum += data[i];
    
        return sum / data.size();
    }
    
  4. 在现代 C++11/14 中还有一条附加规则(与移动语义相关):如果你想传递一些移动成本低的东西并制作它的本地副本,那么通过 value 和std::movefrom value传递。

    例如

    // 'std::vector' is cheap to move, and the function needs a local copy of it.
    // So: pass by value, and std::move from the value.
    //
    std::vector<double> Negate(std::vector<double> v)
    {
        std::vector<double> result( std::move(v) );
        for (auto & x : result)
            x *= -1;
        return result;
    }
    

由于在您的addToArray()函数中您修改了Array<int>参数,并且您希望修改对调用者可见,因此您可以应用规则 #1,并通过引用( &) 传递:

void addToArray(Array<int> & intarray)
于 2013-06-28T16:41:06.597 回答