代码之家  ›  专栏  ›  技术社区  ›  Jane Sully

在Python中合并两个排序链表

  •  1
  • Jane Sully  · 技术社区  · 6 年前

    我不是超级链表经验丰富,但正在努力解决更多的问题,以获得曝光。我的代码没有返回所需的输出[1,1,2,3,4,4],而是返回[4]。不过,我认为主要的逻辑是存在的,我希望错过一些小东西。

    def mergeTwoLists(self, l1, l2):
            """
            :type l1: ListNode
            :type l2: ListNode
            :rtype: ListNode
            """
            newList = ListNode(0) # used for single, merged list
            while l1 and l2:
                if l1.val <= l2.val: # compare current node's values
                    newList.next = l1
                    l1 = l1.next
                else:
                    newList.next = l2
                    l2 = l2.next
    
            return newList.next # first node is 0, which we don't want
    
    2 回复  |  直到 6 年前
        1
  •  5
  •   Victor Goh Ka Hian    6 年前

    def mergeTwoLists(self, l1, l2):
        newList = ListNode(0)
        cur = newList 
        while l1 and l2:
            if l1.val < l2.val:
                cur.next = l1
                l1 = l1.next
            else:
                cur.next = l2
                l2 = l2.next
            cur = cur.next
        cur.next = l1 or l2 # add non-empty list
        return newList.next
    
        2
  •  0
  •   yoonghm    6 年前
    a1=[3,9,1]
    a2=[8,3,4]
    
    a = a1 + a2
    a.sort()
    

    应该会成功的。