You are given two non-empty linked lists representing two non-negative integers. The digits are stored in reverse order, and each of their nodes contains a single digit. Add the two numbers and return the sum as a linked list.
You may assume the two numbers do not contain any leading zero, except the number 0 itself.
The number of nodes in each linked list is in the range [1, 100].
0 <= Node.val <= 9
It is guaranteed that the list represents a number that does not have leading zeros.
Solutions
Solution 1: Simulation
We traverse two linked lists $l_1$ and $l_2$ at the same time, and use the variable $carry$ to indicate whether there is a carry.
Each time we traverse, we take out the current bit of the corresponding linked list, calculate the sum with the carry $carry$, and then update the value of the carry. Then we add the current bit to the answer linked list. If both linked lists are traversed, and the carry is $0$, the traversal ends.
Finally, we return the head node of the answer linked list.
The time complexity is $O(\max (m, n))$, where $m$ and $n$ are the lengths of the two linked lists. We need to traverse the entire position of the two linked lists, and each position only needs $O(1)$ time. Ignoring the space consumption of the answer, the space complexity is $O(1)$.
1 2 3 4 5 6 7 8 910111213141516171819
# Definition for singly-linked list.# class ListNode:# def __init__(self, val=0, next=None):# self.val = val# self.next = nextclassSolution:defaddTwoNumbers(self,l1:Optional[ListNode],l2:Optional[ListNode])->Optional[ListNode]:dummy=ListNode()carry,curr=0,dummywhilel1orl2orcarry:s=(l1.valifl1else0)+(l2.valifl2else0)+carrycarry,val=divmod(s,10)curr.next=ListNode(val)curr=curr.nextl1=l1.nextifl1elseNonel2=l2.nextifl2elseNonereturndummy.next
/** * Definition for singly-linked list. * type ListNode struct { * Val int * Next *ListNode * } */funcaddTwoNumbers(l1*ListNode,l2*ListNode)*ListNode{dummy:=&ListNode{}carry:=0cur:=dummyforl1!=nil||l2!=nil||carry!=0{s:=carryifl1!=nil{s+=l1.Val}ifl2!=nil{s+=l2.Val}carry=s/