0

我正在尝试释放一个表示 bmp 图像的三维指针数组,并在它编译好的时候在调试时在 gdb 中获得 SIGTRAP 信号。我的错误信息是

警告:HEAP [bmpsample.exe]:
警告:0061FFB8 处的堆块已在 0061FFCC 处修改,超过了 c 的请求大小。
程序收到信号 SIGTRAP,Trace/断点陷阱。ntdll 中的 0x7787704e5!
来自 ntdll.dll的 TpWaitForAlpcCompletion()

当我从 bmp 文件加载值后释放数组时发生错误。我的代码如下。

分配:

int ***alloc3D(int xlen, int ylen, int zlen) {
int i, j, ***array;
if ((array = malloc(xlen*sizeof(int**)))==NULL) {
    perror("Error in first assignment of 3D malloc\n");
}
// Allocate pointers for each row
for (i = 0; i < xlen; i++) {
    if ((array[i] = malloc(ylen*sizeof(int*)))==NULL){
        perror("Error in second assignment of 3D malloc\n");
    }
    // Allocate pointer for each column in the row
    for (j=0; j < ylen; j++) {
        if((array[i][j] = malloc(zlen*sizeof(int)))==NULL) {
            perror("Error in third assignment of 3D malloc\n");
        }
    }
}

填充数组

int ***readBitmap(FILE *inFile, BmpImageInfo info, int*** array) {
    // Pixels consist of unsigned char values red, green and blue
Rgb *pixel = malloc( sizeof(Rgb) );
int read, j, i;
for( j=0; j<info.height; j++ ) {
    read = 0;
    for( i=0; i<info.width; i++ ) {
        if( fread(&pixel, 1, sizeof(Rgb), inFile) != sizeof(Rgb) ) {
                printf( "Error reading pixel!\n" );
        }
        array[j][i][1] = (int)(pixel->red);
        array[j][i][2] = (int)(pixel->green);
        array[j][i][3] = (int)(pixel->blue);
        read += sizeof(Rgb);
    }

    if ( read % 4 != 0 ) {
        read = 4 - (read%4);
        printf( "Padding: %d bytes\n", read );
        fread( pixel, read, 1, inFile );
    }
}
free(pixel);

return array;

}

重新分配

void dealloc3D(int*** arr3D,int l,int m)
{
    int i,j;

    for(i=0;i<l;i++)
    {
        for(j=0;j<m;j++)
        {
                free(arr3D[i][j]);
        }
        free(arr3D[i]);
    }
    free(arr3D);
}

我怀疑问题在于将 RGB 值从 unsigned char 转换为 int,但我看不到其他方法。如果我只是将整数值分配给分配的数组,那么释放它们就没有问题。

4

1 回答 1

2

你的第fread一句话有问题

fread(&pixel, 1, sizeof(Rgb), inFile)

这是读入指针pixel,而不是读入pixel指向的内容。在那之后,任何使用pixel都可能会破坏堆(或其他东西)。

于 2012-04-06T12:38:15.563 回答