0

嗨,我有以下 c++ 代码,我想在 main 中调用函数,以下是我的代码:

#include <iostream>
#include <numeric>

int main()
{

    using namespace std;

    readData();

    int sumA = accumulate(A, A + sizeof(A) / sizeof(int), 0);
    int sumB = accumulate(B, B + sizeof(B) / sizeof(int), 0);

    cout << ((sumA > sumB) ? "Array A Greater Than Array B\n" : "Array B Greater Than Array A\n");


    return 0;
}

void readData()
{

int A[] = { 1, 1, 8};
int B[] = { 2, 2, 2};
}

我在 cli 上有以下错误:

test.cpp:3:7: error: storage size of ‘B’ isn’t known
test.cpp:4:7: error: storage size of ‘A’ isn’t known

我在哪里错了?谢谢

4

2 回答 2

6

变量AB是函数的局部变量readData,不能从任何其他函数访问。

要么将它们声明为全局变量(不推荐),要么声明为局部变量main并将它们作为参数传递给readData函数。

我还建议您使用std::vector而不是普通数组。

于 2013-03-05T13:30:37.857 回答
0

首先,注意 C 和 C++ 中数组的大小。阅读此处了解更多信息:http ://www.cplusplus.com/faq/sequences/arrays/sizeof-array/

但是,请像这样使用 std::vector 。

#include <iostream>
#include <vector>
#include <numeric>

typedef std::vector<int> int_vec_t;

//Call by reference to set variables in function
void readData(int_vec_t& v1, int_vec_t& v2)
{
  v1 = int_vec_t{1,1,8}; //This only works for C++11
  v2 = int_vec_t{2,2,2};
}

void readUserData(int_vec_t& v)
{
  for(;;)
  {
    int val;
    std::cin>>val;
    if(val == 0) break;
    v.push_back(val);
  }
}

int main()
{
    using namespace std;

    int_vec_t A;
    int_vec_t B;

    readData(A,B);
    //Or
    readUserData(A);
    readUserData(B);

    int sumA = accumulate(A.begin(), A.end(), 0); //Then use iterators
    int sumB = accumulate(B.begin(), B.end(), 0);

    cout << ((sumA > sumB) ? "Array A Greater Than Array B\n" : "Array B Greater Than Array A\n");

    return 0;
}
于 2013-03-05T13:59:06.360 回答