请帮我写一段简单的C语言链表代码
时间: 2023-04-06 16:03:43 浏览: 137
好的,以下是一段简单的C语言链表代码:
```
#include <stdio.h>
#include <stdlib.h>
struct Node {
int data;
struct Node* next;
};
void insert(struct Node** head_ref, int new_data) {
struct Node* new_node = (struct Node*) malloc(sizeof(struct Node));
new_node->data = new_data;
new_node->next = (*head_ref);
(*head_ref) = new_node;
}
void printList(struct Node* node) {
while (node != NULL) {
printf("%d ", node->data);
node = node->next;
}
}
int main() {
struct Node* head = NULL;
insert(&head, 1);
insert(&head, 2);
insert(&head, 3);
insert(&head, 4);
printf("Linked list: ");
printList(head);
return 0;
}
```
这段代码实现了一个简单的链表,包括插入和打印链表的功能。在主函数中,我们创建了一个空链表,然后插入了四个节点,最后打印了整个链表。
阅读全文