Problem Description
You are given an array of k linked-lists, each linked-list is sorted in ascending order. Merge all the linked-lists into one sorted linked-list and return it.
Key Insights
- Each linked-list is already sorted, which allows us to efficiently merge them.
- We can use a priority queue (min-heap) to always extract the smallest element among the heads of the k linked-lists.
- Alternatively, we can use a divide and conquer approach to recursively merge pairs of linked-lists.
Space and Time Complexity
Time Complexity: O(N log k), where N is the total number of nodes across all linked-lists, and k is the number of linked-lists. Space Complexity: O(k) for the priority queue.
Solution
To solve this problem, we can use a min-heap (priority queue) to keep track of the smallest current node from each linked-list. The steps are as follows:
- Initialize a min-heap and add the head of each linked-list to the heap.
- Create a dummy node to simplify the merging process.
- Continuously extract the smallest node from the heap and add it to the merged list.
- If the extracted node has a next node, push that next node into the heap.
- Repeat until all nodes have been processed and return the merged list starting from the next of the dummy node.