0

出于某种原因,当我尝试运行此测试代码时出现分段错误。该程序应该从文件中读取字符串并将它们放入数组中。我是 C 新手,曾尝试使用调试器,但遇到了麻烦。

任何投入将不胜感激。

void fillArray(char *array[], int * count, FILE * fpin){    

char buf[40];
char *p;
count = 0;
while(fgets(buf, 40, fpin) != NULL){
    if((p= strchr(buf, '\n')) != NULL)
    *p = '\0'; //step on the '\n' 
    array[(*count)++] = malloc(strlen(buf)+1);
    assert(array[*count]);
    strcpy(array[*count], buf);
    (*count)++;
}
}
4

2 回答 2

1
array[(*count)++] = malloc(strlen(buf)+1);
              ^^^
assert(array[*count]);

First you increment and then use the next position in the array, presumably an uninitialized pointer. Drop the ++ from that line.

于 2013-03-14T20:54:21.973 回答
0

希望这会有所帮助。该函数自动管理数组和数组条目的内存。

void fillArray(char ***array, int *count, FILE *fpin)
{
    char *tmp[] = 0;
    int tmp_allocated = 0;
    int tmp_count = 0;

    assert(array);
    assert(count);
    assert(fpin);

    while(fgets(buf, 40, fpin) != NULL)
    {
        if (( p= strchr(buf, '\n')) != NULL)
        {
            *p = 0;
        }
        if (tmp_count == tmp_allocated)
        {
            tmp_allocated += 10;
            tmp = realloc(tmp, sizeof(char*) * tmp_allocated);
            assert(tmp);
        }
        tmp[tmp_count] = strdup(buf);
        assert(tmp[tmp_count]);
        tmp_count++;
     }

     *array = realloc(tmp, sizeof(char*) * tmp_count);
     *count = tmp_count;
}

在这里我们如何使用它。

void userOfFillArray()
{
    int count;
    char **array;
    FILE *fpin = ...;

    fillArray(&array, &count, fpin);
    // if count == 0, then array can be NULL

    ...

    while (count--)
    {
       free(array[count]);
    }
    free(array);
}
于 2013-03-14T22:17:02.630 回答