fork(1) download
  1. # Merge K Sorted Lists (LC version 3.03).
  2.  
  3. from heapq import heappush, heappop
  4.  
  5. # List.
  6.  
  7. class ListNode:
  8. def __init__(self, val=None, next=None):
  9. self.val = val
  10. self.next = next
  11.  
  12. def makeList(seq):
  13. n = None
  14. for x in reversed(seq):
  15. n = ListNode(x, n)
  16. return n
  17.  
  18. def printList(n):
  19. a = []
  20. while n:
  21. a.append(n.val)
  22. n = n.next
  23. print('List(', a, ')', sep='')
  24.  
  25. # Merge.
  26.  
  27. def mergeKLists(lists):
  28. # Push list heads to heap keyed on node.val and a secondary integer.
  29. # The secondary keys serve a dual purpose:
  30. #
  31. # 1. The unique keys prevent the comparison from reaching the node
  32. # element which is not comparable.
  33. # 2. The keys are ordered ascending with respect to the list input
  34. # ensuring stability for equal valued elements.
  35.  
  36. heap = []
  37. for k, n in enumerate(lists):
  38. if n:
  39. heappush(heap, (n.val, k, n))
  40.  
  41. # The heap maintains the smallest valued head node for all lists at
  42. # its front. The node is appended to the result and heap is updated
  43. # with its next node as the new list head. The loop exits when only
  44. # a single list remains.
  45.  
  46. temp = ListNode()
  47. if heap:
  48. t = temp
  49. while True:
  50. _, k, n = heappop(heap)
  51. t.next = n
  52. if not heap:
  53. break
  54. t = t.next
  55. n = n.next
  56. if n:
  57. heappush(heap, (n.val, k, n))
  58. return temp.next
  59.  
  60. # Show.
  61.  
  62. l0 = makeList([])
  63. l1 = makeList([1, 3, 5, 7])
  64. l2 = makeList([2, 4, 6])
  65. l3 = makeList([0, 4, 8])
  66.  
  67. printList(l0)
  68. printList(l1)
  69. printList(l2)
  70. printList(l3)
  71.  
  72. printList(mergeKLists([]))
  73. printList(mergeKLists([l0]))
  74. printList(mergeKLists([l1]))
  75. printList(mergeKLists([l1, l2, l3]))
Success #stdin #stdout 0.09s 14160KB
stdin
Standard input is empty
stdout
List([])
List([1, 3, 5, 7])
List([2, 4, 6])
List([0, 4, 8])
List([])
List([])
List([1, 3, 5, 7])
List([0, 1, 2, 3, 4, 4, 5, 6, 7, 8])