c语言单链表头插法怎么写
时间: 2023-09-13 22:06:21 浏览: 124
你可以使用以下代码来实现C语言的单链表头插法:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构
typedef struct Node {
int data;
struct Node* next;
} Node;
// 头插法插入节点
void insertAtBeginning(Node** head, int data) {
// 创建新节点
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = data;
// 将新节点插入到链表头部
newNode->next = *head;
*head = newNode;
}
// 打印链表
void printList(Node* head) {
Node* current = head;
while (current != NULL) {
printf("%d ", current->data);
current = current->next;
}
printf("\n");
}
int main() {
Node* head = NULL; // 初始化链表为空
// 插入节点
insertAtBeginning(&head, 4);
insertAtBeginning(&head, 3);
insertAtBeginning(&head, 2);
insertAtBeginning(&head, 1);
// 打印链表
printList(head);
return 0;
}
```
这段代码中,我们首先定义了链表节点的结构,包含数据域和指向下一个节点的指针。然后,我们实现了头插法的函数`insertAtBeginning`,该函数将新节点插入到链表的头部。最后,我们通过调用`insertAtBeginning`函数,将一些节点插入到链表中,并使用`printList`函数打印整个链表。
这样,你就可以使用头插法来构建单链表了。
阅读全文