C语言代码 链表的实现
时间: 2024-12-20 13:10:17 浏览: 17
在C语言中,链表是一种常见的数据结构,它的每个节点包含两个部分:数据域和指针域。以下是单向链表的一个基本实现:
```c
// 定义链表节点结构体
typedef struct Node {
int data; // 数据域存储整数值
struct Node* next; // 指针域指向下一个节点
} Node;
// 创建链表的头结点
Node* createList() {
Node* head = (Node*)malloc(sizeof(Node)); // 分配内存
if (!head) {
printf("Memory allocation failed.\n");
return NULL;
}
head->data = 0; // 初始化为空值
head->next = NULL; // 初始化下一个节点为NULL
return head;
}
// 插入节点到链表尾部
void insertNode(Node** head, int value) {
Node* newNode = (Node*)malloc(sizeof(Node));
if (!newNode) {
printf("Memory allocation failed.\n");
return;
}
newNode->data = value;
newNode->next = (*head)->next; // 将新节点指向当前最后一个节点
(*head)->next = newNode; // 更新头节点的下一个节点为新插入的节点
}
// 删除节点
void deleteNode(Node** head, int value) {
Node* current = *head;
if (current != NULL && current->data == value) {
*head = current->next; // 如果头节点就是要删除的,直接更新头节点
free(current); // 释放已删除节点的内存
return;
}
while (current != NULL && current->data != value) {
current = current->next;
}
if (current != NULL) {
Node* temp = current->next;
free(current);
current = temp;
}
}
// 打印链表
void printList(Node* head) {
Node* temp = head;
while (temp != NULL) {
printf("%d -> ", temp->data);
temp = temp->next;
}
printf("NULL\n");
}
```
阅读全文