编写C语言程序代码,实现将两个递增的有序链表合并为一个递增的有序链表。要求结果链表仍使用原来两个链表的存储空间,不另外占用其他的存储空间。表中不允许有重复的数据。
时间: 2024-09-26 21:03:10 浏览: 66
为了合并两个递增的有序链表并保持它们的原始顺序,你可以使用迭代的方式来实现。下面是一个简单的C语言函数示例,它会遍历两个链表,并在第一个链表为空或者第二个链表的节点值小于当前第一个链表节点值时,将第二个链表的头节点添加到结果链表中。
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
typedef struct Node {
int data;
struct Node* next;
} Node;
// 合并两个递增有序链表的函数
Node* mergeLists(Node* list1, Node* list2) {
Node* head = NULL; // 结果链表头指针
Node* current1 = list1; // 第一个链表指针
Node* current2 = list2; // 第二个链表指针
while (current1 != NULL && current2 != NULL) { // 只要其中一个链表未结束
if (current1->data <= current2->data) { // 如果第一个链表当前节点较小
if (head == NULL) { // 如果结果链表为空,直接添加
head = current1;
} else {
current1->next = head;
}
current1 = current1->next; // 移动到下一个节点
} else { // 如果第二个链表当前节点较小
if (head == NULL) { // 如果结果链表为空,直接添加
head = current2;
} else {
current2->next = head;
}
current2 = current2->next; // 移动到下一个节点
}
}
// 将剩余的链表添加到结果链表
if (current1 != NULL) {
current1->next = head;
} else {
current2->next = head;
}
return head; // 返回新的链表头
}
// 功能测试
void printList(Node* head) {
while (head != NULL) {
printf("%d ", head->data);
head = head->next;
}
printf("\n");
}
int main() {
// 创建示例链表
Node* list1 = (Node*)malloc(sizeof(Node));
list1->data = 1;
list1->next = (Node*)malloc(sizeof(Node));
list1->next->data = 3;
list1->next->next = NULL;
Node* list2 = (Node*)malloc(sizeof(Node));
list2->data = 2;
list2->next = (Node*)malloc(sizeof(Node));
list2->next->data = 4;
list2->next->next = NULL;
// 合并链表
Node* mergedList = mergeLists(list1, list2);
// 打印合并后的链表
printList(mergedList);
free(list1); // 清理内存
free(list2);
return 0;
}
```
在这个例子中,`main()` 函数首先创建了两个递增的有序链表 `list1` 和 `list2`,然后调用 `mergeLists()` 函数合并它们。最后,通过 `printList()` 函数打印出合并后的链表内容。
阅读全文