填充动态char数组会导致覆盖

问题描述 投票:-1回答:1

我有以下问题。我在C中分配了2d动态字符数组。但是当我尝试在每行中使用唯一字符串填充此数组时,每个条目都会覆盖以前的字符串。因此,我最终得到一个数组,每个原始数据中只包含最后一个字符串。可以提供一些见解吗?谢谢。

FILE *dictionary;
dictionary = fopen("dictionary.txt","r");

if (dictionary == NULL)
{
    printf("can not open dictionary \n");
    return 1;
}
char line[512];
char** hashes;
hashes = malloc(250*512);

if(!hashes){
    printf("OUTOFMEMORY\n");
    return;
}

i=0;
char *salt;
salt = extract_salt(shd);
char* encrypted;
while(fgets(line, sizeof(line), dictionary))
{
    //hashes[i] = calculate_hash(shd, line);
    encrypted = crypt(line, salt);
    printf("%s\n",encrypted );
    strcpy(hashes[i],encrypted );

    if(i>0)
        printf("%s, %s \n", hashes[i], hashes[i-1]);
    i++;
}
c dynamic-memory-allocation
1个回答
0
投票
char** hashes; 

此行声明指向char的指针而不是二维数组。

您需要将初始化更改为:

char** hashes;
hashes = malloc(250 * sizeof(*hashes));

if(!hashes){
    printf("OUTOFMEMORY\n");
    return;
}

for(size_t index = 0; index < 250; index++)
{
   hashes[index] = malloc(512);
   if(!hashes[index]){
       /* memory allocation error routines */
   }
}
© www.soinside.com 2019 - 2024. All rights reserved.