0%

合并K个升序链表

题目描述

  给你一个链表数组,每个链表都已经按升序排列。请你将所有链表合并到一个升序链表中去,并返回合并后的链表。

Input: list = [[1,4,5],[1,3,4],[2,6]]
Output: [1,1,2,3,4,4,5,6]

  链表数组如下: [1->4->5,1->3->4,2->6]。最终合成的有序链表为:1->1->2->3->4->4->5->6。

题解

  对于这道题目我们可以使用两个有序链表合并的方式,套用在这个K序列合并的身上。如果在主函数中使用这个方法,我们就需要对每个链表的值进行获取。这样的会导致主函数过于复杂,所以将两个链表合并作为辅助函数。
  那么我们就仅需作用for获取每一个链表,而不需对链表的值深入。同时在主函数中使用两个链表合并的方法,使用lists[0]作为主链表用于存储最后的升序序列。具体代码如下所示:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
ListNode* mergeTwoLists(ListNode* l1, ListNode* l2) {
ListNode* dummy = new ListNode(-1);
ListNode* cur = dummy;

while (l1 && l2) {
if (l1->val < l2->val) {
cur->next = l1;
l1 = l1->next;
}

else {
cur->next = l2;
l2 = l2->next;
}

cur = cur->next;
}

cur->next = l1 == nullptr ? l2: l1;
return dummy->next;
}
ListNode* mergeKLists(vector<ListNode*>& lists) {
if (lists.empty()) return nullptr;
int len = lists.size();

ListNode* cur = lists[0];

for (int i =1;i < len ;i++) {
cur = mergeTwoLists(cur,lists[i]);
}

return cur;

}
};