leetcode 两数之和

2020-05-17 11:42:11

给出两个 非空 的链表用来表示两个非负的整数。其中,它们各自的位数是按照 逆序 的方式存储的,并且它们的每个节点只能存储 一位 数字。

如果,我们将这两个数相加起来,则会返回一个新的链表来表示它们的和。

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

示例:

输入:(2 -> 4 -> 3) + (5 -> 6 -> 4)
输出:7 -> 0 -> 8
原因:342 + 465 = 807

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/add-two-numbers
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

 

 1 /**
 2  * Definition for singly-linked list.
 3  * struct ListNode {
 4  *     int val;
 5  *     ListNode *next;
 6  *     ListNode(int x) : val(x), next(NULL) {}
 7  * };
 8  */
 9 class Solution {
10 public:
11     ListNode* addTwoNumbers(ListNode* l1, ListNode* l2) {
12 
13         // 生成一个节点
14         ListNode* node = new ListNode(0);
15         ListNode* firstNode = node;
16         ListNode* nextNode = NULL;
17         while (l1 != NULL && l2 != NULL) {
18             int temp = l1->val + l2->val;
19             if (l1->next != NULL || l2->next != NULL || temp >= 10) {
20                 nextNode = new ListNode(0);
21                 node->next = nextNode;
22             }
23             
24             node->val += temp;
25             if (node->val >= 10) {
26                 node->val -= 10;
27                 if (nextNode == NULL)
28                 {
29                     nextNode = new ListNode(0);
30                     node->next = nextNode;
31                 }
32                 nextNode->val += 1;
33             }
34             bool isAllNull = (l1->next == NULL && l2->next == NULL);
35             node = nextNode;
36             nextNode = NULL;
37             l1 = !isAllNull && l1->next == NULL ? new ListNode(0) : l1->next;
38             l2 = !isAllNull && l2->next == NULL ? new ListNode(0) : l2->next;
39         }
40 
41 
42         return firstNode;
43     }
44 };

实际上就是简单的对链表的使用,坑点就是进位的处理

posted @ 2020-05-17 11:43  猛如泰山  阅读(105)  评论(0编辑  收藏  举报