给出两个 非空 的链表用来表示两个非负的整数。其中,它们各自的位数是按照 逆序 的方式存储的,并且它们的每个节点只能存储 一位 数字。
如果,我们将这两个数相加起来,则会返回一个新的链表来表示它们的和。
您可以假设除了数字 0 之外,这两个数都不会以 0 开头。
示例:
输入:(2 -> 4 -> 3) + (5 -> 6 -> 4)
输出:7 -> 0 -> 8
原因:342 + 465 = 807
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/add-two-numbers
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
这道题的思路是:用一个int变量表示进位。需要注意是注意对边界条件进行判断,也许着才是这道题的关键。
// Definition for singly-linked list.
class ListNode {
int val;
ListNode next;
ListNode(int x) { val = x; }
}
public class leetCode02 {
public ListNode addTwoNumbers(ListNode l1, ListNode l2) {
ListNode firstList = l1;
ListNode secondList = l2;
ListNode temp = new ListNode(0);
ListNode sumList = temp;
int cur = 0;
while (firstList != null || secondList!= null) {
int x = firstList != null ? firstList.val : 0;
int y = secondList != null ? secondList.val : 0;
int sum = x + y + cur;
int remain = sum % 10;
cur = sum / 10;
temp.next = new ListNode(remain);
temp = temp.next;
if (firstList != null) firstList = firstList.next;
if (secondList != null) secondList = secondList.next;
}
if (cur != 0) {
temp.next = new ListNode(cur);
}
return sumList.next;
}
}