我现在试图在C中构建自己的LinkedList几个小时,但我无法使其正常工作。请指出此代码在哪里以及为什么出错。对于实际行为,向下滚动到“主要”。
struct List {
struct Node * head;
} list;
struct Node {
int data;
struct Node * next;
} node;
void
add(struct List* list, int z){
//add as first element
if(list -> head == NULL){
list -> head = malloc(sizeof(struct Node));
(list -> head) -> data = z;
(list -> head) -> next = NULL;
return;
}
//add to tail
struct Node * curr = list -> head;
while((curr -> next) != NULL){
curr = curr -> next;
}
list -> head = malloc(sizeof(struct Node));
(list -> head) -> data = z;
(list -> head) -> next = NULL;
return;
}
void
printNode(struct Node * node){
if(node == NULL){
printf("NULL\n");
return;
}
printf("%d -> ", node->data);
printNode(node->next);
}
void
printList(struct List * list){
if(list->head == NULL)
printf("empty\n");
else
printNode(list->head);
}
由于某种原因,似乎“添加”确实以某种方式更改了传递的列表,使得只有最后一个元素保留在其中。我已经多次重写了程序(递归和迭代),结果似乎总是这样。
int
main(){
struct List myList;
myList.head = NULL;
printList(&myList); // empty
add(&myList, 1);
printList(&myList); // 1 -> NULL
add(&myList, 2);
printList(&myList); // 2 -> NULL, should be 1 -> 2 -> NULL
add(&myList, 3);
printList(&myList); // 3 -> NULL, should be 1 -> 2 -> 3 -> NULL
add(&myList, 4);
printList(&myList); // 4 -> NULL, should be 1 -> 2 -> 3 -> 4 -> NULL
}
我什至用其他语言重新创建了该程序,以查看程序中是否存在突破性的逻辑缺陷,但是在其他地方,我却立即将其工作。
最佳答案
在您的程序中,您正在搜索最后一个元素:
while((curr -> next) != NULL){
curr = curr -> next;
}
这是正确的,但是然后您要换头:
list -> head = malloc(sizeof(struct Node));
(list -> head) -> data = z;
(list -> head) -> next = NULL;
相反,您应该创建一个新元素并更改当前端的
next
指针:struct Node *new_data = malloc(sizeof(struct Node));
new_node -> data = z;
new_node -> next = NULL;
curr -> next = new_node;
关于c - C链表将不起作用,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/37530450/