I was doing the following LeetCode exercise
class ListNode:
     def __init__(self, val=0, next=None):
         self.val = val
         self.next = next
class Solution:
    def mergeTwoLists(self, l1: ListNode, l2: ListNode) -> ListNode:
        if l1 and l2:
            if l1.val < l2.val:
                temp = head = ListNode(l1.val)
                l1 = l1.next
            else:
                temp = head = ListNode(l2.val)
                l2 = l2.next
            while l1 and l2:
                if l1.val < l2.val:
                    temp = temp.next = ListNode(l1.val)
                    #temp.next = temp = ListNode(l1.val)
                    l1 = l1.next
                else:
                    temp = temp.next = ListNode(l2.val)
                    #temp.next = temp = ListNode(l2.val)
                    l2 = l2.next
       ...
My question is why the lines temp = temp.next = ListNode(l1.val) and temp = temp.next = ListNode(l2.val) don't work and the commented lines right below them do?
 
    