编写一个C语言程序,在这个程序中完成如下功能: (1)建立单链表。 (2)在单链表上实现插入、删除和查找操作。 (3)将两个递增的有序单链表合并成一个非递减的有序单链表。
时间: 2024-11-13 20:24:26 浏览: 1
在C语言中,我们可以使用结构体定义一个节点,并通过指针链接它们来创建单链表。以下是实现上述功能的基本步骤:
首先,定义一个链表节点结构体:
```c
typedef struct Node {
int data;
struct Node* next;
} Node;
```
接下来,我们创建函数来完成各项操作:
1. **建立单链表**:
```c
void createList(Node** head) {
*head = NULL;
}
```
插入、删除和查找操作通常需要辅助函数:
2. **插入操作**(例如在头部插入):
```c
void insertAtBegin(Node** head, int value) {
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = value;
newNode->next = *head;
*head = newNode;
}
```
3. **删除操作**(假设我们要删除值为`value`的节点,若存在):
```c
void deleteValue(Node** head, int value) {
if (*head == NULL) return;
if ((*head)->data == value) {
Node* temp = *head;
*head = (*head)->next;
free(temp);
return;
}
Node* current = *head;
while (current->next != NULL && current->next->data != value) {
current = current->next;
}
if (current->next != NULL) {
Node* toDelete = current->next;
current->next = current->next->next;
free(toDelete);
}
}
```
4. **查找操作**:
```c
Node* search(Node* head, int value) {
Node* current = head;
while (current != NULL) {
if (current->data == value) return current;
current = current->next;
}
return NULL; // 如果未找到,则返回NULL
}
```
5. **合并递增有序链表**:
```c
Node* mergeSortedLists(Node* list1, Node* list2) {
Node* result = NULL;
if (list1 == NULL) return list2;
if (list2 == NULL) return list1;
if (list1->data <= list2->data) {
result = list1;
result->next = mergeSortedLists(list1->next, list2);
} else {
result = list2;
result->next = mergeSortedLists(list1, list2->next);
}
return result;
}
```
最后,记得处理内存分配和释放,以及输入检查以避免错误。
阅读全文