0

我正在尝试在 C 中分配一个 char* 数组。我事先知道列数,但不知道行数,我想在需要时分配行。

我尝试使用:

char *(*data)[NUMCOLS]; //declare data as pointer to array NUMCOLS of pointer to char

data = malloc(sizeof(char*));

现在,上面的行应该分配给 data[0] ...对吗?那么,我必须能够像这样使用行

data[0][1] = strdup("test");
 .
 ..
data[0][NUMCOLS-1] = strdup("temp");

我遇到了段错误。我无法理解这里出了什么问题。谁能帮忙。

4

2 回答 2

2

您没有为要存储的内容分配足够的内存。在这种特殊情况下,这将是:

data=malloc(sizeof(char*)*NUMCOLS*NUMROWS);

要调整数组的大小,您可以使用:

data=realloc(data,(size_t)sizeof(char*)*NUMCOLS*NEW_NUMROWS);

更多关于它(重新分配)在这里

于 2009-10-10T19:52:00.437 回答
0

我会这样做:

#include <stdlib.h> 
#include <stdio.h> 
#include <string.h> 

int main(){
  char ***a = NULL;

  a       = realloc( a, 1 * sizeof(char **) ); // resizing the array to contains one raw
  a[0]    = malloc(     3 * sizeof(char  *) ); // the new raw will contains 3 element
  a[0][0] = strdup("a[0][0]");
  a[0][1] = strdup("a[0][1]");
  a[0][2] = strdup("a[0][2]");


  a       = realloc( a, 2 * sizeof(char **) ); // resizing the array to contains two raw
  a[1]    = malloc(     3 * sizeof(char  *) ); // the new raw will contains 3 element
  a[1][0] = strdup("a[1][0]");
  a[1][1] = strdup("a[1][1]");
  a[1][2] = strdup("a[1][2]");

  for( int rows=0; rows<2; rows++ ){
    for( int cols=0; cols<3; cols++ ){
      printf( "a[%i][%i]: '%s'\n", rows, cols, a[rows][cols] );
    }
  }
}
于 2009-10-10T20:44:49.690 回答