0

bmpイメージを表す3次元ポインター配列を解放しようとしていますが、コンパイル時に正常にデバッグ中にgdbでSIGTRAPシグナルを取得します。私のエラーメッセージは

警告:HEAP [bmpsample.exe]:
警告:0061FFB8のヒープブロックが、要求されたサイズcを超えて0061FFCCで変更されました。
プログラム受信信号SIGTRAP、トレース/ブレークポイントトラップ。0x7787704e5 in ntdll!TpWaitForAlpcCompletion()
from ntdll.dll

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 に答える