将两个递增的有序链表合并为一个递增的有序链表仍使用原来两个链表的存储空间,不另外占用其他的存储空间。表中不允许有重复数据。c语言
时间: 2024-10-24 11:09:10 浏览: 18
合并两个递增有序链表的问题可以使用迭代或递归的方式来解决。这里我将提供一种迭代的解决方案,它不需要额外的空间:
```c
// 定义链表节点结构体
typedef struct Node {
int data;
struct Node* next;
} ListNode;
// 合并函数
ListNode* mergeTwoLists(ListNode* l1, ListNode* l2) {
// 创建新的头节点
ListNode* head = NULL, *temp = NULL;
if (l1 != NULL && l2 != NULL) {
if (l1->data <= l2->data) {
head = l1;
temp = l1->next;
l1->next = l2;
} else {
head = l2;
temp = l2->next;
l2->next = l1;
}
} else if (l1 == NULL) {
head = l2;
} else {
head = l1;
}
while (temp != NULL) {
if (temp->next != NULL && temp->next->data < temp->data) {
ListNode* t2 = temp->next;
ListNode* t1 = temp;
while (t2->next != NULL && t2->next->data > t2->data) {
t2 = t2->next;
}
if (t2->next != NULL) {
t1->next = t2->next;
t2->next = t2->next->next;
t1 = t2;
} else {
t1->next = t2;
}
} else {
temp = temp->next;
}
}
return head;
}
```
在这个函数中,我们首先检查两个链表的头部,选择较小的一个作为新链表的开始。然后遍历较长的那个链表,如果遇到的数据比当前节点大,我们就找到第一个大于当前节点但小于下一个节点的数据,将其插入到正确的位置。
阅读全文