在回答另一个问题时,我写下了一些简单的代码来初始化和打印2D数组。但是正在发生非常奇怪的事情。
#include <stdio.h>
#include <stdlib.h>
void print_row( const int *row, size_t num_cols ) {
printf("%p\n", (void*)row);
for( size_t col_num = 0; col_num < num_cols; col_num++ ) {
printf(" %2d ", row[col_num]);
}
puts("");
}
int **make_board( const size_t num_rows, const size_t num_cols ) {
int **board = malloc( sizeof(int) * num_rows );
for( size_t row_num = 0; row_num < num_rows; row_num++ ) {
int *row = calloc( num_cols, sizeof(int) );
board[row_num] = row;
print_row(row, num_cols);
}
return board;
}
void print_board( int **board, const size_t num_rows, const size_t num_cols ) {
for( size_t row_num = 0; row_num < num_rows; row_num++ ) {
const int *row = board[row_num];
print_row(row, num_cols);
}
}
int main() {
size_t num_rows = 6;
size_t num_cols = 4;
puts("Making the board");
int **board = make_board(num_rows, num_cols);
puts("Printing the board");
print_board(board, num_rows, num_cols);
}
运行它,我偶尔会得到一行损坏的行,但是只有print_board
中的行才会出现,make_board
中的行永远不会出现。
cc -Wall -Wshadow -Wwrite-strings -Wextra -Wconversion -std=c99 -pedantic -g -c -o test.o test.c
cc test.o -o test
Making the board
0x7fc4e6d00370
0 0 0 0
0x7fc4e6d001e0
0 0 0 0
0x7fc4e6d001f0
0 0 0 0
0x7fc4e6d00200
0 0 0 0
0x7fc4e6d00210
0 0 0 0
0x7fc4e6d00220
0 0 0 0
Printing the board
0x7fc4e6d00370
0 0 0 0
0x7fc4e6d001e0
-422575600 32708 -422575584 32708
0x7fc4e6d001f0
0 0 0 0
0x7fc4e6d00200
0 0 0 0
0x7fc4e6d00210
0 0 0 0
0x7fc4e6d00220
0 0 0 0
如果我链接到glib-2之类的软件包,则损坏发生的频率更高。
cc -Wall -Wshadow -Wwrite-strings -Wextra -Wconversion -std=c99 -pedantic -g `pkg-config --cflags glib-2.0` -c -o test.o test.c
cc `pkg-config --libs glib-2.0` test.o -o test
所有存储位置均正确。初始化期间所有行都可以。没有编译器警告。 -fsanitize=address
没有发现错误。
是什么原因导致该行损坏?有人甚至可以重复这个问题吗?
$ cc --version
Apple LLVM version 8.0.0 (clang-800.0.42.1)
Target: x86_64-apple-darwin17.6.0
Thread model: posix
InstalledDir: /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin
$ uname -a
Darwin Windhund.local 17.6.0 Darwin Kernel Version 17.6.0: Tue May 8 15:22:16 PDT 2018; root:xnu-4570.61.1~1/RELEASE_X86_64 x86_64 i386 MacBookPro8,1 Darwin
答案 0 :(得分:5)
您正在将int指针数组分配为int数组,从而导致某些意外行为。足够简单的修复程序,幸运的是。
替换此行:
int **board = malloc( sizeof(int) * num_rows );
此行:
int **board = malloc( sizeof(int *) * num_rows );
或者,为避免将来发生此类错误,如下面乔纳森·莱夫勒(Jonathan Leffler)在评论中所指出的那样,您可以对要分配的解引用变量执行sizeof
运算符,这样就不必不必担心正确输入类型:
int **board = malloc( sizeof(*board) * num_rows );