其他分享
首页 > 其他分享> > 【力扣】[热题HOT100] 2.两数相加

【力扣】[热题HOT100] 2.两数相加

作者:互联网

1. 题目

给你两个 非空 的链表,表示两个非负的整数。它们每位数字都是按照 逆序 的方式存储的,并且每个节点只能存储 一位 数字。

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

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

链接:https://leetcode-cn.com/problems/add-two-numbers/

2. 思路分析

直接遍历

3. 代码展示

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode() : val(0), next(nullptr) {}
 *     ListNode(int x) : val(x), next(nullptr) {}
 *     ListNode(int x, ListNode *next) : val(x), next(next) {}
 * };
 */
class Solution {
public:
    ListNode* addTwoNumbers(ListNode* l1, ListNode* l2) {
        int ntake = 0;
        ListNode* head = nullptr, *tail = nullptr;
        while(l1 || l2)
        {
            // 处理掉l1或者l2不存在的情况
            int n1 = l1 ? l1->val : 0;
            int n2 = l2 ? l2->val : 0;
            int sum = n1 + n2 + ntake;
            if(!head)
            {
                // 第一个节点需要给head和tail赋值
                head = tail =  new ListNode(sum % 10);
            }
            else 
            {
                tail->next = new ListNode(sum % 10);
                tail = tail->next;
            }
            // 记录进位,这里直接除10,不要直接赋值
            ntake = sum / 10;
            // 让l1和来l2往后走
            if(l1)
                l1 = l1->next;
            if(l2)
                l2 = l2->next;
        }
        // 处理进位
        if(ntake > 0)
            tail->next = new ListNode(ntake);
        return head;
    }
};

标签:head,ListNode,next,力扣,tail,l2,l1,HOT100,两数
来源: https://blog.csdn.net/weixin_43967449/article/details/116431059