leetcode445

题目:

给你两个 非空 链表来代表两个非负整数。数字最高位位于链表开始位置。它们的每个节点只存储一位数字。将这两数相加会返回一个新的链表。

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

 

示例:

输入:(7 -> 2 -> 4 -> 3) + (5 -> 6 -> 4)
输出:7 -> 8 -> 0 -> 7

题解:

这是一道抖机灵题,要是把数都拆出来,就没有任何难度了。

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
class Solution {
public:
    ListNode* addTwoNumbers(ListNode* l1, ListNode* l2) {
        stacks1;
        stacks2;
        
        while(l1)
        {
            s1.push(l1->val);
            l1 = l1->next;
        }
        
        while(l2)
        {
            s2.push(l2->val);
            l2 = l2->next;
        }
        
        int c = 0;
        ListNode* ans = NULL;
        while(!s1.empty() || !s2.empty())
        {
            int c1 = 0;
            int c2 = 0;
            if(!s1.empty())
            {
                c1 = s1.top();
                s1.pop();
            }
            if(!s2.empty())
            {
                c2 = s2.top();
                s2.pop();
            }
            c += c1 + c2;
            ListNode* head = new ListNode(c%10);
            head->next = ans;
            ans = head;
            c /= 10;
        }
        if(c)
        {
            ListNode* head = new ListNode(c);
            head->next = ans;
            ans = head;
        }
        return ans;
    }
};

 

你可能感兴趣的:(leetcode)