cpp 合并两个有序链表
时间: 2023-09-12 16:12:37 浏览: 72
可以使用递归或迭代的方式来合并两个有序链表。以下是迭代的实现方法:
```cpp
#include <iostream>
using namespace std;
struct ListNode {
int val;
ListNode *next;
ListNode(int x) : val(x), next(NULL) {}
};
ListNode* mergeTwoLists(ListNode* l1, ListNode* l2) {
if (!l1) return l2;
if (!l2) return l1;
ListNode *head = new ListNode(0);
ListNode *cur = head;
while (l1 && l2) {
if (l1->val < l2->val) {
cur->next = l1;
l1 = l1->next;
} else {
cur->next = l2;
l2 = l2->next;
}
cur = cur->next;
}
if (l1) cur->next = l1;
if (l2) cur->next = l2;
return head->next;
}
int main() {
ListNode *l1 = new ListNode(1);
l1->next = new ListNode(3);
l1->next->next = new ListNode(5);
ListNode *l2 = new ListNode(2);
l2->next = new ListNode(4);
l2->next->next = new ListNode(6);
ListNode *merged = mergeTwoLists(l1, l2);
while (merged) {
cout << merged->val << " ";
merged = merged->next;
}
return 0;
}
```
以上代码中,我们首先判断了两个链表是否为空,然后创建一个空的头节点 `head`,以及一个指向当前节点的指针 `cur`。在循环中,我们比较 `l1` 和 `l2` 的值,将较小的节点接到 `cur` 后面,并将其指针向后移动。当其中一个链表遍历完后,我们将剩余的部分直接接到 `cur` 后面即可。最后返回头节点的下一个节点。
阅读全文