单链表基本操作c语言包括初始化,创建,插入,查找,删除,代码
时间: 2024-10-11 16:05:10 浏览: 62
在C语言中,单链表的基本操作涉及到结构体定义、指针操作等。这里是一个简单的示例,展示了如何实现单链表的一些基础操作:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
typedef struct Node {
int data;
struct Node* next; // 指向下一个节点的指针
} Node;
// 创建新节点并初始化
Node* createNode(int value) {
Node* newNode = (Node*)malloc(sizeof(Node));
if (!newNode) {
printf("Memory allocation failed.\n");
return NULL;
}
newNode->data = value;
newNode->next = NULL;
return newNode;
}
// 初始化链表
void initializeList(Node** head) {
*head = NULL;
}
// 查找节点
Node* searchNode(Node* head, int value) {
Node* current = head;
while (current != NULL) {
if (current->data == value)
return current;
current = current->next;
}
return NULL;
}
// 插入节点
void insertNode(Node** head, int value, int position) {
Node* newNode = createNode(value);
if (position == 0) { // 在头部插入
newNode->next = *head;
*head = newNode;
} else { // 在中间或尾部插入
Node* previous = *head;
for (int i = 1; i < position - 1 && previous != NULL; ++i)
previous = previous->next;
if (previous == NULL) {
printf("Invalid position.\n");
return;
}
newNode->next = previous->next;
previous->next = newNode;
}
}
// 删除节点
void deleteNode(Node** head, int value) {
Node* current = *head;
Node* previous = NULL;
if (current != NULL && current->data == value) {
*head = current->next;
free(current);
return;
}
while (current != NULL && current->data != value) {
previous = current;
current = current->next;
}
if (current == NULL)
return;
previous->next = current->next;
free(current);
}
// 打印链表
void printList(Node* head) {
Node* temp = head;
while (temp != NULL) {
printf("%d -> ", temp->data);
temp = temp->next;
}
printf("NULL\n");
}
int main() {
Node* head = NULL;
// 初始化列表
initializeList(&head);
// 插入和删除操作...
insertNode(&head, 5, 0); // 在头部插入5
deleteNode(&head, 5); // 删除值为5的节点
// 打印结果
printList(head);
return 0;
}
```
这是最基础的单链表操作,你可以根据实际需求进行修改和完善。记得处理好内存分配和释放,避免内存泄漏。
阅读全文