fork(1) download
  1. # Merge K Sorted Lists (LC version 3.02).
  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. l = None
  14. for x in reversed(seq):
  15. l = ListNode(x, l)
  16. return l
  17.  
  18. def printList(l):
  19. a = []
  20. while l:
  21. a.append(l.val)
  22. l = l.next
  23. print('List(', a, ')', sep='')
  24.  
  25. # Merge.
  26.  
  27. def mergeKLists(lists):
  28. #
  29. # Add lists to heap keyed on node.val; a second integer key is used
  30. # and serves a dual purpose:
  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.  
  37. heap = []
  38. for k, n in enumerate(lists):
  39. if n:
  40. heappush(heap, (n.val, k, n))
  41.  
  42. #
  43. # The heap maintains the smallest valued head node for all lists at
  44. # its front. This node is appended to temp and replaced by its next
  45. # node in the heap as the new list head. The loop exits when only a
  46. # single list remains.
  47. #
  48.  
  49. temp = ListNode()
  50. if heap:
  51. t = temp
  52. while True:
  53. _, k, n = heappop(heap)
  54. t.next = n
  55. if not heap:
  56. break
  57. t = t.next
  58. n = n.next
  59. if n:
  60. heappush(heap, (n.val, k, n))
  61. return temp.next
  62.  
  63. # Show.
  64.  
  65. l0 = makeList([])
  66. l1 = makeList([1, 3, 5, 7])
  67. l2 = makeList([2, 4, 6])
  68. l3 = makeList([0, 4, 8])
  69.  
  70. printList(l0)
  71. printList(l1)
  72. printList(l2)
  73. printList(l3)
  74.  
  75. printList(mergeKLists([]))
  76. printList(mergeKLists([l0]))
  77. printList(mergeKLists([l1]))
  78. printList(mergeKLists([l1, l2, l3]))
Success #stdin #stdout 0.07s 14108KB
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])