以下代码:
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");
}
}
从主要电话中调用时:
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
时,一切都很好。
printBoard
时才会收到错误?constructBoard
?我已经阅读过这些以前的问题,但我仍然没有设法解决它,因为我正确分配了内存并确保循环只迭代有效索引:
我使用以下标志编译:
gcc -g -c -Wextra -Wall -Wvla -DNDEBUG -std=c99