如何在C ++中创建巨大的2D数组

时间:2018-12-01 18:05:16

标签: c++ arrays

我正在尝试像这样在c ++中创建一个巨大的2D数组:

float array[1000000][3]; 我必须在具有3个组件的数组中存储一些值。这将由1000个循环的两个for循环迭代完成。 当我尝试运行此程序时,出现错误:

Segmentation fault

这是我的一些代码:

int m=0,c=0;
float error;int count=0;
array<array<float, 1000000>, 3> errors;
for(int i=0; i<1000; i++){
    for(int j=0; j<1000; j++){
        error=distance(j+20,m,c,1000-matrix(1,j));
        errors[count][0]=error; 
        errors[count][1]=m; 
        errors[count][2]=c;
        c++;
        count++;
    }
    m++;
    c=0;
}                                        
sort(errors.begin(), errors.end());
cout<<errors[0][0]<<endl<<errors[0][1]<<endl<<errors[0][2]<<endl;

即使在注释掉排序后,错误仍然继续...

matrix(1,j)是一个矩阵,我正在使用此方法访问其元素。

我想要误差的最小值,以及误差最小的m和c的值的集合。

有什么办法可以实现? 预先感谢。

1 个答案:

答案 0 :(得分:0)

您可以使用array轻松地执行任务。您可以在这里

#include<array>
using namespace std;

然后,创建数据数组:

const int N = 1000000;
const int M = 3;
array<array<float, N>, M> my_array;

您可以执行以下操作来填充此新创建的数组:

for(int i=0; i < N; i++){
    for(int j=0; j < M; j++){
        my_array[i][j] = 0.0f;  // Just for example
    }
}

有关如何使用array库的更多信息,请参见here

如果您不想使用array,也可以按照以下步骤操作:

const int N = 10000000;
const int M = 3;
float *my_array

my_array = new float[N*M];  // give it a memory on the stack
if(my_array == nullptr){
     cerr << "ERROR: Out of memory" << endl;
}

for(int i=0; i < N; i++){
    for(int j=0; j < M; j++){
        *(my_array + i*N + j) = 0.0f;  // Just for example
    }
}

确保释放通过以下操作获得的内存:

delete [] my_array;