k路归并

题目:Merge k sorted linked lists and return it as one sorted list. Analyze and describe its complexity.

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) {
 *         val = x;
 *         next = null;
 *     }
 * }
 */
public class Solution {
    public ListNode mergeKLists(List<ListNode> lists) {
        int k = lists.size();

		if (k == 0)
			return null;

		if (k == 1)
			return lists.get(0);

		ListNode head = new ListNode(0);
		ListNode pre = head, cur = null;
		PriorityQueue<ListNode> pq = new PriorityQueue<>(k,
				new Comparator<ListNode>() {

					@Override
					public int compare(ListNode l1, ListNode l2) {
						return l1.val - l2.val;
					}
				});

		for (ListNode listNode : lists) {
		    if(listNode != null)
			    pq.add(listNode);
		}

		while (!pq.isEmpty()) {
			cur = pq.poll();
			if (cur.next != null)
				pq.add(cur.next);
			pre.next = cur;
			pre = pre.next;
		}

		return head.next;
    }
}


你可能感兴趣的:(k路归并)