23. Merge k Sorted Lists
Question
You are given an array of k
linked-lists lists
, each linked-list is sorted in ascending order.
Merge all the linked-lists into one sorted linked-list and return it.
Example 1:
Input: lists = [[1,4,5],[1,3,4],[2,6]]
Output: [1,1,2,3,4,4,5,6]
Explanation: The linked-lists are:
[
1->4->5,
1->3->4,
2->6
]
merging them into one sorted list:
1->1->2->3->4->4->5->6
Algorithm
Just traverse all the nodes one by one and add them to the priority queue and pop nodes to get the final list.
Code
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public ListNode mergeKLists(ListNode[] lists) {
ListNode dummy = new ListNode();
ListNode curNode = dummy;
if (lists == null || lists.length == 0) {
return null;
}
PriorityQueue<ListNode> pq = new PriorityQueue<>((a, b) -> (a.val - b.val));
for (ListNode node : lists) {
if (node != null) pq.offer(node);
}
while (!pq.isEmpty()) {
ListNode node = pq.poll();
curNode.next = new ListNode(node.val);
if (node.next != null) pq.offer(node.next);
curNode = curNode.next;
}
return dummy.next;
}
}