LeetCode-2: Add two numbers(兩數相加)
LeetCode:https://leetcode-cn.com/problems/add-two-numbers/
LeetCodeCn:https://leetcode-cn.com/problems/add-two-numbers/
題目說明
給出兩個 非空 的連結串列用來表示兩個非負的整數。其中,它們各自的位數是按照 逆序 的方式儲存的,並且它們的每個節點只能儲存 一位 數字。 如果,我們將這兩個數相加起來,則會返回一個新的連結串列來表示它們的和。 您可以假設除了數字 0 之外,這兩個數都不會以 0 開頭。
示例:
輸入:(2 -> 4 -> 3) + (5 -> 6 -> 4)
輸出:7 -> 0 -> 8
輸入:(8 -> 4 -> 9) + (5 -> 6 -> 3)
輸出:3 -> 1 -> 3 -> 1
解題方法
初等數學
簡單的數學相加即可,不過需要處理幾個特殊情況,當兩個連結串列長度不同時,短連結串列下一位資料用0填充
在兩個連結相加的過程中,增加一個變數,用於記錄低位和像高位的進位情況,在兩個連結串列遍歷後,在檢視此值,決定是否新增高位.
圖解相關思路
這裡輸入的兩個連結串列分別為8->4->9和5->6->3
同時取出兩個鍾列表的第一個元素,計算sum =13,因為result只記錄當前個位資料,通過sum%10得到個位內容,新增到結果連結串列尾部,同時計算進位標識carry = sum/10 = 1.
重複上面步驟,將1插入結果連結串列尾部,計算carry = 1
重複上面步驟,將3插入結果連結串列尾部,計算carry = 1
當L1和L2都遍歷結束後,檢查carry的內容,發現此時carry非0,則尾插一個carry作為高位的內容
程式碼實現
public ListNode addTwoNumbers(ListNode l1, ListNode l2) {
ListNode result = new ListNode(0);
ListNode temp = result;
int carry = 0;
while (l1 != null || l2 != null) {
int a = (l1 != null) ? l1.val : 0;
int b = (l2 != null) ? l2.val : 0;
int sum = carry + a + b;
carry = sum / 10;
temp.next = new ListNode(sum % 10);
temp = temp.next;
if (l1 != null) l1 = l1.next;
if (l2 != null) l2 = l2.next;
}
if (carry > 0) {
temp.next = new ListNode(carry);
}
return result.next;
}
複製程式碼
相關程式碼歡迎大家關注並提出改進的建議