C 中带字符串的双指针/带 malloc 的指向数组的指针

Doublepointer with Strings in C / Pointers to Array with malloc

有人可以向我解释为什么我的输出中缺少第一个指针 (stringarray[0]) 以及如何解决它。我也想知道如何释放所有 malloc 指针的内存。

int main(int argc, char **argv) {

[...]

char ** stringarray;
if (( stringarray = (char **)malloc(counter*sizeof(char)))== NULL){exit(0);}

int k = 0;
for (i = 0; i < len; i =i+1){
    if((strcmp(countries, districts[i]) == 0) && ( argvIntPeoplelimit <= people[i])) {
        if (( stringarray[k] = (char * ) malloc(100*sizeof(char)))== NULL){exit(0);}

        snprintf(stringarray[k],100,"The Country %s has %d people.",countries[i],people[i]);
        printf("%d %d %s %s %d\n",i,k,stringarray[k], countires[i],people[i] ); //here stringarray[k] k==0 has a value
        k=k+1;
    }  
}
write_file(stringarray,counter);
for (int f = 0; f < k; ++f)
{
    // if i call stringarray[0] nothing shows up


    //ERROR can't free(stringarray);

}
    return 0;
}

我不知道如何用字符串构建结构指针,使我能够将数据处理到 write_file 函数的“char *result[]”。

void write_file(char *result[], int len);

非常感谢任何帮助、技巧和提示!谢谢!

为什么要把事情搞得这么复杂 如果您打算将数据转储到文件

,请避免内存分配
for (i = 0; i < len; i =i+1){
if((strcmp(countries, districts[i]) == 0) && ( argvIntPeoplelimit <= people[i])) {
    char country_inf[256] = {0};
    int info_len;
    info_len = snprintf(country_inf,sizeof(country_inf),"The Country %s has %d people.",countries[i],people[i]);
    write_file(country_inf,info_len);
}  

}

write_file 应该以附加模式打开文件并将新数据写入文件。没有分配没有免费

还是要用的话。你的第一次分配是错误的。应该是 sizeof(char*)

stringarray = (char **)malloc(counter*sizeof(char*))

我相信这是为字符串数组分配内存的正确方法:

// number of pointers/strings; don't have to cast the result of malloc
char** stringArray = malloc(sizeof(char*) * 2);

// allocate however many chars for each pointer
for(i = 0; i < 2; ++i)
    stringArray[i] = malloc(sizeof(char) * 10);

strcpy(stringArray[0], "Hello");
strcpy(stringArray[1], "world!");

printf("%s %s\n", stringArray[0], stringArray[1]);

要释放上述内容,您可以这样做:

for(i = 0; i < 2; ++i)
    free(stringArray[i]);

free(stringArray);