2. 两数相加

Posted by CodingWithAlice on August 21, 2023

2. 两数相加

力扣 3.给你两个 非空 的链表,表示两个非负的整数。

它们每位数字都是按照 逆序 的方式存储的,并且每个节点只能存储 一位 数字。

请你将两个数相加,并以相同形式返回一个表示和的链表。

你可以假设除了数字 0 之外,这两个数都不会以 0 开头。

img

示例1:

输入:l1 = [2,4,3], l2 = [5,6,4]
输出:[7,0,8]
解释:342 + 465 = 807

示例 2:

输入:l1 = [0], l2 = [0]
输出:[0]

示例 3:

输入:l1 = [9,9,9,9,9,9,9], l2 = [9,9,9,9]
输出:[8,9,9,9,0,0,0,1]

解法一:(自己写的) - 官方也是这个逻辑,但是官方把 oneType 放在 while 循环外面

时间:108ms 内存:45.49M

var addTwoNumbers = function(l1, l2) {
    let head = new ListNode(0);
    const first = head;
    // 遍历两个链表
    while(l1 !== null || l2 !== null) {
        // 两个链表当前指针下的值
        const l1Value = l1 && l1.val || 0;
        const l2Value = l2 && l2.val || 0;
        // 上一位进位
        const oneType = head && head.val || 0; 

        // 当前指针下的值
        const addRes = l1Value + l2Value + oneType;
        head.val = addRes % 10;

        // 需要进位 - 任一列表还有值/有进位
        const nextValue = addRes >= 10 ? 1 : 0;
        if((l1 && l1.next) || (l2 && l2.next) || nextValue){
            head.next = new ListNode(nextValue);
        }

        // 链表往后一位
        l1 = l1 && l1.next;
        l2 = l2 && l2.next;
        head = head.next;
    }
    return first
};

官方的贴一下

var addTwoNumbers = function(l1, l2) {
    let head = null, tail = null;
    let carry = 0;
    while (l1 || l2) {
        const n1 = l1 ? l1.val : 0;
        const n2 = l2 ? l2.val : 0;
        const sum = n1 + n2 + carry;
        if (!head) {
            head = tail = new ListNode(sum % 10);
        } else {
            tail.next = new ListNode(sum % 10);
            tail = tail.next;
        }
        carry = Math.floor(sum / 10);
        if (l1) {
            l1 = l1.next;
        }
        if (l2) {
            l2 = l2.next;
        }
    }
    if (carry > 0) {
        tail.next = new ListNode(carry);
    }
    return head;
};