C:### 处的堆块修改为### 过去请求的大小###

C: Heap block at ### modified at ### past requested size of ###

所以我将二维动态数组存储到矩阵结构中:

struct Matrix {
    int ncol;
    int nrow;
    double **mat;
};
typedef struct Matrix Matrix;

然后我有一个函数从二维数组中获取内容并将其存储到矩阵中:

// Initializes matrix mat whose values are the passed in 2D array
// Made Matrix **mat a double pointer so that I can initialize the Matrix *pointer from Main
void matrix_initializeFromArray(Matrix **mat, int nrow, int ncol, double array[][ncol]) {
    (*mat) = (Matrix*) malloc(sizeof(Matrix*));
    (*mat)->mat = (double**) malloc(nrow*sizeof(double*));
    for(int i = 0; i < nrow; i++) {
        (*mat)->mat[i] = (double*) malloc(ncol*sizeof(double*));
        for(int j = 0; j < ncol; j++) { // intialize all values to array values
            (*mat)->mat[i][j] = array[i][j];
        }
    }
    (*mat)->ncol = ncol;
    (*mat)->nrow = nrow;
}

这是矩阵的析构函数:

// Destructor
void matrix_destructor(Matrix **mat) {
    for(int i = 0; i < (*mat)->nrow; i++) {
        free((*mat)->mat[i]);
    }
    free((*mat)->mat);
    free(*mat);
}

下面是一个小例子:

void main() {
Matrix *temp;
    double array[1][1];
    array[0][0] = 34;
    matrix_initializeFromArray(&temp, 1, 1, array);
    matrix_print(temp);
    matrix_destructor(&temp);
}

此代码在我的 Linux Ubuntu 中的 gdb 和 valgrind 上正常执行,但由于某种原因,它在我 运行 Windows 上创建此错误。

warning: HEAP[a.exe]:
warning: Heap block at 00B51710 modified at 00B5171C past requested size of 4

我 运行 通过 Windows 上的 gdb,它出现在第一个循环的析构函数的这一行:free((*mat)->mat[i]);

有帮助吗?

我已经简化了你的代码,缺少 matrix_print 问题出在 malloc 例如,当你分配一些东西时,你会得到一个指向内存的指针 malloc(sizeof(double)); returns 指向可以存储双精度数的内存区域的指针 double *

malloc(sizeof(double*)); returns 指向内存的指针可以存储指向 double 的指针,所以 double **`

#include <stdio.h>
#include <stdlib.h>

struct Matrix {
    int ncol;
    int nrow;
    double **mat;
};
typedef struct Matrix Matrix;

void matrix_initializeFromArray(Matrix *mat, int nrow, int ncol, double array[][ncol]) {
    mat->ncol = ncol;
    mat->nrow = nrow;
    mat->mat = malloc(nrow * sizeof(double*));
    for(int i = 0; i < nrow; i++) {
        mat->mat[i] = malloc(ncol*sizeof(double));
        for(int j = 0; j < ncol; j++) { // intialize all values to array values
            mat->mat[i][j] = array[i][j];
        }
    }
}

void matrix_wipe(Matrix *mat) {
    for(int i = 0; i < mat->nrow; i++) {
        free(mat->mat[i]);
    }
    free(mat->mat);
}

int main(void) {
    Matrix temp;
    double array[1][1];
    array[0][0] = 34;
    matrix_initializeFromArray(&temp, 1, 1, array);
    matrix_wipe(&temp);
    return 0;
}