0

我正在编写一个程序,将文本的每一行放在链表中的一个节点中。我想为文本中的每一行创建一个新节点。在 while 循环中第二次运行时程序崩溃。经过一些测试,我认为它与 strncpy 函数有关,但不确定。我在哪里错了?

#include <stdio.h>
#include <stdlib.h>
#define MAXBUF 50

struct node
{
    char data[MAXBUF];
    struct node *next;
};

int main(void)
{
    FILE *f;
    f = fopen("text.txt", "r");
    if (f == NULL) exit("ERROR\n");

    struct node *root = NULL;
    struct node *pointer = NULL;

    root = malloc(sizeof(struct node));
    pointer = root;

    char buf[MAXBUF];
    while(fgets(buf, MAXBUF, f) != NULL)
    {
        strncpy(pointer->data, buf, MAXBUF);
        pointer->next = malloc(sizeof(struct node));
        pointer->next = NULL;
        pointer = pointer->next;
    }
    fclose(f);
}
4

1 回答 1

0
pointer->next = NULL;
pointer = pointer->next;

因此下一次循环:

while(fgets(buf, MAXBUF, f) != NULL)
    {
        strncpy(pointer->data, buf, MAXBUF);

指针-> 数据将遵循 NULL。您可能想在 strncpy 之前测试 NULL 指针并在那里创建一个 malloc 节点。

请注意,您似乎也从未释放任何这些节点。

于 2014-09-09T18:55:22.700 回答