两个有序链表列的合并
时间: 2023-07-11 10:17:50 浏览: 96
好的,这个问题可以使用归并排序的思想来解决。具体步骤如下:
1. 定义一个新的链表,作为合并后的链表。
2. 分别遍历两个有序链表,比较当前节点的值大小,将较小的节点插入新链表中,并将该链表的指针后移。
3. 循环执行步骤2,直到其中一个链表为空。
4. 将另一个链表中余下的节点直接插入新链表中。
5. 返回新链表。
下面是一个示例代码:
```python
def merge_two_lists(l1, l2):
dummy = ListNode(-1)
curr = dummy
while l1 and l2:
if l1.val <= l2.val:
curr.next = l1
l1 = l1.next
else:
curr.next = l2
l2 = l2.next
curr = curr.next
if l1:
curr.next = l1
else:
curr.next = l2
return dummy.next
```
其中,`ListNode` 是一个链表节点的定义,`l1` 和 `l2` 分别表示两个有序链表的头节点。
相关问题
两个有序链表的合并c语言
两个有序链表的合并可以使用递归或迭代的方式实现。以下是迭代的实现方式:
```c
#include <stdio.h>
#include <stdlib.h>
struct ListNode {
int val;
struct ListNode *next;
};
struct ListNode* mergeTwoLists(struct ListNode* l1, struct ListNode* l2){
struct ListNode dummy;
struct ListNode *tail = &dummy;
dummy.next = NULL;
while (l1 && l2) {
if (l1->val < l2->val) {
tail->next = l1;
l1 = l1->next;
} else {
tail->next = l2;
l2 = l2->next;
}
tail = tail->next;
}
if (l1) {
tail->next = l1;
} else {
tail->next = l2;
}
return dummy.next;
}
```
这个函数接受两个有序链表 `l1` 和 `l2`,返回一个新的有序链表,包含了 `l1` 和 `l2` 中所有节点。我们使用一个虚拟头节点 `dummy` 和一个尾指针 `tail` 来构建新的链表。在循环中,我们比较 `l1` 和 `l2` 的头节点,将较小的节点接到新链表的尾部,并将对应的链表头指针向后移动。最后,如果其中一个链表还有剩余节点,我们将其全部接到新链表的尾部。
两个有序链表的合并c
两个有序链表的合并可以通过遍历两个链表,比较节点的值,将较小的值插入到一个新的链表中。具体的实现可以参考下面的示例代码:
```c
#include<stdio.h>
#include<stdlib.h>
// 定义链表节点的结构体
struct ListNode {
int val;
struct ListNode *next;
};
// 创建一个新的节点
struct ListNode* createNode(int val) {
struct ListNode* node = (struct ListNode*)malloc(sizeof(struct ListNode));
node->val = val;
node->next = NULL;
return node;
}
// 合并两个有序链表
struct ListNode* mergeTwoLists(struct ListNode* l1, struct ListNode* l2) {
// 创建一个新的链表头节点
struct ListNode* dummyNode = createNode(0);
struct ListNode* current = dummyNode;
// 遍历两个链表
while (l1 != NULL && l2 != NULL) {
// 比较节点的值,将较小的节点插入到新链表中
if (l1->val <= l2->val) {
current->next = l1;
l1 = l1->next;
} else {
current->next = l2;
l2 = l2->next;
}
current = current->next;
}
// 将剩余的节点插入到新链表中
if (l1 != NULL) {
current->next = l1;
}
if (l2 != NULL) {
current->next = l2;
}
return dummyNode->next;
}
// 打印链表
void printList(struct ListNode* head) {
struct ListNode* current = head;
while (current != NULL) {
printf("%d ", current->val);
current = current->next;
}
printf("\n");
}
int main() {
// 创建两个有序链表
struct ListNode* l1 = createNode(1);
l1->next = createNode(2);
l1->next->next = createNode(4);
struct ListNode* l2 = createNode(1);
l2->next = createNode(3);
l2->next->next = createNode(4);
// 合并两个链表
struct ListNode* mergedList = mergeTwoLists(l1, l2);
// 打印合并后的链表
printList(mergedList);
// 释放链表的内存
struct ListNode* current = mergedList;
while (current != NULL) {
struct ListNode* temp = current;
current = current->next;
free(temp);
}
return 0;
}
```
阅读全文