我有以下C
代码:
int *a;
size_t size = 2000*sizeof(int);
a = (int *) malloc(size);
工作正常。但如果我有以下内容:
char **b = malloc(2000*sizeof *b);
b
的每个元素都有不同的长度。
b
如何对a
做同样的事情是可能的;即以下代码是否正确?
char *c;
size_t size = 2000*sizeof(char *);
c = (char *) malloc(size);
答案 0 :(得分:76)
首先,您需要分配像char **c = malloc( N * sizeof( char* ))
这样的指针数组,然后通过对malloc
的单独调用来分配每一行,可能在循环中:
/* N is the number of rows */
/* note: c is char** */
if (( c = malloc( N*sizeof( char* ))) == NULL )
{ /* error */ }
for ( i = 0; i < N; i++ )
{
/* x_i here is the size of given row, no need to
* multiply by sizeof( char ), it's always 1
*/
if (( c[i] = malloc( x_i )) == NULL )
{ /* error */ }
/* probably init the row here */
}
/* access matrix elements: c[i] give you a pointer
* to the row array, c[i][j] indexes an element
*/
c[i][j] = 'a';
如果您知道元素的总数(例如N*M
),则可以在一次分配中执行此操作。
答案 1 :(得分:48)
动态分配类型为T的NxM数组的典型形式是
T **a = malloc(sizeof *a * N);
if (a)
{
for (i = 0; i < N; i++)
{
a[i] = malloc(sizeof *a[i] * M);
}
}
如果数组的每个元素具有不同的长度,则将M替换为该元素的适当长度;例如
T **a = malloc(sizeof *a * N);
if (a)
{
for (i = 0; i < N; i++)
{
a[i] = malloc(sizeof *a[i] * length_for_this_element);
}
}
答案 2 :(得分:28)
char a[10][20]
的等效内存分配如下:
char **a;
a=(char **) malloc(10*sizeof(char *));
for(i=0;i<10;i++)
a[i]=(char *) malloc(20*sizeof(char));
我希望这看起来很简单。
答案 3 :(得分:10)
另一种方法是分配一个连续的内存块,包括用于指向行的指针的块头,以及用于在行中存储实际数据的主体块。然后通过将每个行中的内存地址分配给每行的标题中的指针来标记内存。它看起来如下:
int** 2dAlloc(int rows, int* columns) {
int header = rows * sizeof(int*);
int body = 0;
for(int i=0; i<rows; body+=columnSizes[i++]) {
}
body*=sizeof(int);
int** rowptr = (int**)malloc(header + body);
int* buf = (int*)(rowptr + rows);
rowptr[0] = buf;
int k;
for(k = 1; k < rows; ++k) {
rowptr[k] = rowptr[k-1] + columns[k-1];
}
return rowptr;
}
int main() {
// specifying column amount on per-row basis
int columns[] = {1,2,3};
int rows = sizeof(columns)/sizeof(int);
int** matrix = 2dAlloc(rows, &columns);
// using allocated array
for(int i = 0; i<rows; ++i) {
for(int j = 0; j<columns[i]; ++j) {
cout<<matrix[i][j]<<", ";
}
cout<<endl;
}
// now it is time to get rid of allocated
// memory in only one call to "free"
free matrix;
}
这种方法的优点是可以优雅地释放内存,并且能够使用类似数组的表示法来访问生成的2D数组的元素。
答案 4 :(得分:3)
如果b中的每个元素都有不同的长度,那么你需要做类似的事情:
int totalLength = 0;
for_every_element_in_b {
totalLength += length_of_this_b_in_bytes;
}
return (char **)malloc(totalLength);
答案 5 :(得分:2)
我认为两步法最好,因为c 2-d数组只是阵列数组。第一步是分配一个数组,然后循环遍历为每个列分配数组。 This article提供了很好的细节。
答案 6 :(得分:1)
2-D阵列动态内存分配
int **a,i;
// for any number of rows & columns this will work
a = (int **)malloc(rows*sizeof(int *));
for(i=0;i<rows;i++)
*(a+i) = (int *)malloc(cols*sizeof(int));
答案 7 :(得分:0)
malloc不会在特定边界上分配,因此必须假定它在字节边界上分配。
如果转换为任何其他类型,则不能使用返回的指针,因为访问该指针可能会产生CPU的内存访问冲突,并且应用程序将立即关闭。