# if lists is empty, return None ifnot lists: returnNone
# if lists has only one element, return that element iflen(lists) == 1: return lists[0]
# if lists has more than one element, merge them # merge the first two lists, and then merge the result with the third list, and so on # until all lists are merged merged_list = lists[0] for i inrange(1, len(lists)): merged_list = self.mergeTwoLists(merged_list, lists[i])
return merged_list defmergeTwoLists(self, l1: Optional[ListNode], l2: Optional[ListNode]) -> Optional[ListNode]: # if l1 is empty, return l2 ifnot l1: return l2
# if l2 is empty, return l1 ifnot l2: return l1
# if l1 and l2 are not empty, merge them # create a new list to store the merged list merged_list = ListNode() # create a pointer to traverse the merged list pointer = merged_list
# while l1 and l2 are not empty, compare the first elements of l1 and l2 # add the smaller one to the merged list # move the pointer to the next element of the merged list while l1 and l2: if l1.val <= l2.val: pointer.next = l1 l1 = l1.next else: pointer.next = l2 l2 = l2.next pointer = pointer.next
# if l1 is empty, add the rest of l2 to the merged list ifnot l1: pointer.next = l2
# if l2 is empty, add the rest of l1 to the merged list ifnot l2: pointer.next = l1