调用不同函数时,堆分配创建了未初始化的值

Uninitialised value was created by a heap allocation when calling different function

代码如下:

Board* constructBoard(int dimension)
{
    //Allocate memory for board
    Board *board = malloc(sizeof(Board));
    if(!board)
    {
        return NULL;
    }
    //Allocate memory for matrix
    board->matrix = malloc(dimension * sizeof(int*));
    if(!board->matrix)
    {
        freeBoard(board);
        return NULL;
    }
    //Allocate memory for each row of matrix
    for(int row = 0; row < dimension; row++)
    {
        // Following line is line 29 from error below  <---------------------------
        board->matrix[row] = malloc(dimension * sizeof(int));  
        if(!board->matrix[row])
        {
            freeBoard(board);
            return NULL;
        }
        board->dimension = row +1;
    }
    board->value = 0;
    return board;
}

void printBoard(Board *board, char* delimiter)
{
    assert(board && "printBoard must get an initialized board");
    for(int i = 0; i < board->dimension; i++)
    {
        for (int j = 0; j < board->dimension; j++)
        {
            printf("%d%s", board->matrix[i][j], delimiter);
        }
        printf("\n");
    }
}

当像这样从 main 调用时:

Board *final = constructBoard(4);
printBoard(final, SEPARATOR);
freeBoard(final);

导致以下 valgrind 错误(有关错误行,请参阅上面代码中的注释):

==8450==  Uninitialised value was created by a heap allocation
==8450==    at 0x4C2DB8F: malloc (in /usr/lib/valgrind/vgpreload_memcheck-amd64-linux.so)
==8450==    by 0x401560: constructBoard (Board.c:29)
==8450==    by 0x400FAB: main (SudokuSolver.c:181)

Board的定义:

typedef struct Board
{
    int** matrix;
    int dimension;
    unsigned int value;
} Board;

当我不添加对 printBoard 的调用时,一切都很好。

  1. 为什么只有在使用 printBoard 时才会出现错误?
  2. 为什么当我收到错误时它说它在 constructBoard 中?

我已经阅读了这些以前的问题,但我仍然没有设法解决它,因为我正确地分配了内存并确保循环只迭代有效的索引:

  1. Uninitialised value was created by a stack allocation
  2. Uninitialised value was created by a stack allocation

我使用以下标志进行编译:

gcc -g -c -Wextra -Wall -Wvla -DNDEBUG -std=c99

malloc 函数只分配内存,不以任何方式初始化内存。内存内容不确定.

您在 printBoard 函数中打印此未初始化内存的内容,导致您收到警告。

如果你想初始化内存,那么要么显式地初始化,要么使用 calloc 分配和 "clear"(零)内存(相当于 malloc 后跟 memset).