一、給出兩個 非空 的鏈表用來表示兩個非負的整數。其中,它們各自的位數是按照 逆序 的方式存儲的,而且它們的每一個節點只能存儲 一位 數字。若是,咱們將這兩個數相加起來,則會返回一個新的鏈表來表示它們的和。您能夠假設除了數字 0 以外,這兩個數都不會以 0 開頭。java
來源:力扣(LeetCode)code
示例:io
輸入:(2 -> 4 -> 3) + (5 -> 6 -> 4) 輸出:7 -> 0 -> 8 緣由:342 + 465 = 807
解法:class
分析:咱們使用變量來跟蹤進位,並從包含最低有效位的表頭開始模擬逐位相加的過程。變量
就至關於你在紙上面計算的和那樣,咱們首先從最低有效位也就是列表的 l1 和 l2 的表頭開始相加。分析題目給出的數,每位數字都應當處於0-9的範圍內,咱們計算兩個數字的和時可能會出現「溢出」。例如,5+9=14,這種狀況況下,咱們會將當前位置設置爲4,並將進位carry = 1帶入下一次迭代。進位carry一定是0或者1,由於兩個10之內相加的數,絕壁小於20,即便在加上carry,好比 9+9+1 = 19,是不會超過20的。
代碼:List
class Solution { public ListNode addTwoNumbers(ListNode l1, ListNode l2) { ListNode dummyHead = new ListNode(0); ListNode p = l1, q = l2, curr = dummyHead; int carry = 0; while (p != null || q != null) { int x = (p != null) ? p.val : 0; int y = (q != null) ? q.val : 0; int sum = carry + x + y; carry = sum / 10; curr.next = new ListNode(sum % 10); curr = curr.next; if (p != null) p = p.next; if (q != null) q = q.next; } if (carry > 0) { curr.next = new ListNode(carry); } return dummyHead.next; } }