我试图理解链表的代码。我理解他们是如何工作的。我正在查看一些与动态内存和链表有关的代码,我在这里对其进行了简化:
#include <stdio.h>
#include <stdlib.h>
typedef struct node {
char *word;
struct node *next;
} node;
void display_word(node *start) {
node *start_node = start;
puts("");
for(; start_node != NULL; start_node = start_node->next) {
printf("%s", start_node->word);
}
}
node* create_node(char *input) {
node *n = malloc(sizeof(node));;
n->word = strdup(input);
n->next = NULL;
return n;
}
int main() {
node *start_node = NULL;
node *n = NULL;
node *next_node = NULL;
char word_holder[20];
for(; fgets(word_holder,80,stdin) != NULL; n = next_node) {
next_node = create_node(word_holder);
if(start_node == NULL)
start_node = next_node;
if(n != NULL)
n->next = next_node;
}
display_word(start);
}
因此,程序会为用户输入的每个单词创建一个链接列表,然后将其打印出来。我不明白的是在 main() 函数中,next_node 每次都分配给一个新节点以创建一个新节点,但是 start_node 指向 next_node,所以它将指向 next_node 每次创建的每个新节点?那么怎么可能仍然保留列表呢?我们不应该每次都丢失旧节点吗?
有人可以解释一下吗。