用c语言写一个单链表的插入
时间: 2023-05-19 09:05:27 浏览: 84
使用c语言实现单链表
4星 · 用户满意度95%
以下是用 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;
}
```
这段代码实现了一个单链表的插入,通过 `insert` 函数可以将新的节点插入到链表的头部,通过 `printList` 函数可以打印出整个链表的内容。
阅读全文