如何将二维数组复制到临时二维数组中并 return 它?
How do I copy a 2d array into a temporary 2d array and return it?
我正在尝试将一个二维整数数组复制到一个临时二维整数数组,然后 return 它。我在下面进行了尝试,但是我遇到了一个非常可疑的 malloc 错误。我尝试用 valgrind 检查它,但找不到任何有用的东西
int **get_grid_state(int **grid, int height, int length) {
int **grid_state;
int i;
grid_state = malloc(height * sizeof(int*));
for (i = 0; i < height; i++) {
grid_state[i] = malloc(length);
memcpy(grid_state[i], grid[i], length);
}
return grid_state;
}
Un-setting报错信息如下:
program: malloc.c:2372: sysmalloc: Assertion `(old_top == (((mbinptr) (((char *) &((av)->bins[((1) - 1) * 2])) - __builtin_offsetof (struct malloc_chunk, fd)))) && old_size == 0) || ((unsigned long) (old_size) >= (unsigned long)((((__builtin_offsetof (struct malloc_chunk, fd_nextsize))+((2 *(sizeof(size_t))) - 1)) & ~((2 *(sizeof(size_t))) - 1))) && ((old_top)->size & 0x1) && ((unsigned long) old_end & pagemask) == 0)' failed.
Aborted
你的方法是正确的,除了内部循环中的大小 length
:它应该 length * sizeof(int)
或 sizeof(**grid)
:
grid_state[i] = malloc(length * sizeof(**grid));
memcpy(grid_state[i], grid[i], length * sizeof(**grid));
令人不安错误的原因是分配的子数组太小,您可能在程序的其他部分修改了它们,导致malloc
在稍后调用分配函数之一时检测到的内部数据:malloc()
、free()
、calloc()
、realloc()
...
另请注意,您不检查这些 malloc()
调用的 return 值。如果由于某种原因 malloc
无法分配内存,您将调用未定义的行为而不是 returning NULL
优雅地。
我正在尝试将一个二维整数数组复制到一个临时二维整数数组,然后 return 它。我在下面进行了尝试,但是我遇到了一个非常可疑的 malloc 错误。我尝试用 valgrind 检查它,但找不到任何有用的东西
int **get_grid_state(int **grid, int height, int length) {
int **grid_state;
int i;
grid_state = malloc(height * sizeof(int*));
for (i = 0; i < height; i++) {
grid_state[i] = malloc(length);
memcpy(grid_state[i], grid[i], length);
}
return grid_state;
}
Un-setting报错信息如下:
program: malloc.c:2372: sysmalloc: Assertion `(old_top == (((mbinptr) (((char *) &((av)->bins[((1) - 1) * 2])) - __builtin_offsetof (struct malloc_chunk, fd)))) && old_size == 0) || ((unsigned long) (old_size) >= (unsigned long)((((__builtin_offsetof (struct malloc_chunk, fd_nextsize))+((2 *(sizeof(size_t))) - 1)) & ~((2 *(sizeof(size_t))) - 1))) && ((old_top)->size & 0x1) && ((unsigned long) old_end & pagemask) == 0)' failed.
Aborted
你的方法是正确的,除了内部循环中的大小 length
:它应该 length * sizeof(int)
或 sizeof(**grid)
:
grid_state[i] = malloc(length * sizeof(**grid));
memcpy(grid_state[i], grid[i], length * sizeof(**grid));
令人不安错误的原因是分配的子数组太小,您可能在程序的其他部分修改了它们,导致malloc
在稍后调用分配函数之一时检测到的内部数据:malloc()
、free()
、calloc()
、realloc()
...
另请注意,您不检查这些 malloc()
调用的 return 值。如果由于某种原因 malloc
无法分配内存,您将调用未定义的行为而不是 returning NULL
优雅地。