0

可能重复:
无法分配内存

我的以下代码运行良好:

double weight [600] [800][3];
double mean [600] [800][3];
double sd [600] [800][3];
double u_diff [600] [800][3];

for ( int i = 0; i < 600; i ++ )
{
    for ( int j = 0; j < 800; j ++ )
    {
        for ( int k=0; k < 3; m ++ )
        {
            weight [i][j][k] = 0;
            mean[i][j][k] = 0; 
            sd[i][j][k] = 6;        
        }       
    }
}

但是当我把它改成这种形式时:

int init = 6;
int C = 3;

for ( int i = 0; i < 600; i ++ )
{
    for ( int j = 0; j < 800; j ++ )
    {
        for ( int k =0; k < 3; k ++ )
        {
            weight [i][j][k] = 1/C;
            mean[i][j][k] = rand(); 
            sd[i][j][k] = init;         
        }       
    }
}

它崩溃了。我什至尝试分别为“weight”、“mean”和“sd”工作。我怀疑它可能是数据类型,更改如下:

double value = rand();
weight[i][j][m] = value;

但错误仍然存​​在。这里有什么问题?

4

3 回答 3

1
mean[i][j][k] = rand(); 

是什么k?你的意思是

mean[i][j][m] = rand(); 

?

此外,1/CforC=3为 0,因为它们都是ints。也许你想要1.0/C

编辑和评论后回答

这些数组非常庞大。您应该动态分配它们。

double* mean = new double[600*800*3];
// in the inner loop:
    mean[ k + 800*( j + 600*i )] = rand();

// when you're done with them
delete[] mean;
于 2012-10-05T13:00:23.757 回答
1

我也得到了第一个崩溃的版本(cygwin,4.5.3)。

问题与有限的堆栈大小有关,大约为 2 MB。

为什么它不会崩溃可能是由于优化:
由于另一个片段中的“rand”,优化器/编译器不可能
告诉数组根本没有被使用——这很可能
从第一个片段中就可见分段。

gcc -std=c99 tst.c -O  && ./a.exe -- produces nothing
gcc -std=c99 tst.c && ./a.exe -- segmentation fault

为了解决这个错误,只需使用 malloc 从堆中分配大数组(或者通过使用相当小的数组 80x60x3 来研究限制?)

// tst.c
// compile and run with gcc -std=c99 tst.c -DOK=0 -DW=80 -DH=60 && ./a.exe    // ok
//               or     gcc -std=c99 tst.c -DOK=0 -DW=800 -DH=600 && ./a.exe  // crash
//               or     gcc -std=c99 tst.c -DOK=1 -DW=800 -DH=600 && ./a.exe  // ok
#include <stdlib.h>
int main()
{
#if OK
    double *weight =(double*)malloc(W*H*3*sizeof(double));      // no crash
#else
    double weight[W*H*3];   // crash when W*H is large, nocrash when W*H is small
#endif
    int z=0;
    for ( int i = 0; i < W; i ++ )
    {
        for ( int j = 0; j < H; j ++ )
        {
            for ( int m =0; m < 3; m ++ )
            {
                 weight[z++]=0;     
            }       
        }
    }
    return 0;
}
于 2012-10-05T13:04:00.907 回答
1

我尝试在 Cygwin(1.7.15) 和 VC++ 编译器中构建以下代码,但没有发生任何崩溃。这对我来说可以。

double weight [600] [800][3];
double mean [600] [800][3];
double sd [600] [800][3];
double u_diff [600] [800][3];

int init = 6;
int C = 3;
int main()
{
int i = 0; for ( i = 0; i < 600; i ++ ) {
int j = 0; for ( j = 0; j < 800; j ++ ) {
int k = 0;
for ( k=0; k < 3; k ++ ) {
weight [i][j][k] = 1/C; mean[i][j][k] = rand(); sd[i][j][k] = init; } }
}
return 0; }

于 2012-10-05T13:45:38.590 回答