LeetCodeAnimation/notes/LeetCode第2号问题:两数相加.md
程序员吴师兄 5dee53d957 更换图片地址
2019-11-14 11:00:28 +08:00

82 lines
2.1 KiB
Java
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

# LeetCode 2 号问题两数相加
> 本文首发于公众号五分钟学算法[图解 LeetCode ](<https://github.com/MisterBooo/LeetCodeAnimation>)系列文章之一。
>
> 个人网站[https://www.cxyxiaowu.com](https://www.cxyxiaowu.com)
题目来源于 LeetCode 上第 2 号问题两数相加题目难度为 Medium目前通过率为 33.9%
### 题目描述
给出两个 **非空** 的链表用来表示两个非负的整数其中它们各自的位数是按照 **逆序** 的方式存储的并且它们的每个节点只能存储 **一位** 数字
如果我们将这两个数相加起来则会返回一个新的链表来表示它们的和
您可以假设除了数字 0 之外这两个数都不会以 0 开头
**示例**
```
输入(2 -> 4 -> 3) + (5 -> 6 -> 4)
输出7 -> 0 -> 8
原因342 + 465 = 807
```
### 题目解析
设立一个表示进位的变量`carried`建立一个新链表把输入的两个链表从头往后同时处理每两个相加将结果加上`carried`后的值作为一个新节点到新链表后面
### 动画描述
![](https://blog-1257126549.cos.ap-guangzhou.myqcloud.com/blog/lchmg.gif)
### 代码实现
```
/// 时间复杂度: O(n)
/// 空间复杂度: O(n)
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
class Solution {
public:
ListNode* addTwoNumbers(ListNode* l1, ListNode* l2) {
ListNode *p1 = l1, *p2 = l2;
ListNode *dummyHead = new ListNode(-1);
ListNode* cur = dummyHead;
int carried = 0;
while(p1 || p2 ){
int a = p1 ? p1->val : 0;
int b = p2 ? p2->val : 0;
cur->next = new ListNode((a + b + carried) % 10);
carried = (a + b + carried) / 10;
cur = cur->next;
p1 = p1 ? p1->next : NULL;
p2 = p2 ? p2->next : NULL;
}
cur->next = carried ? new ListNode(1) : NULL;
ListNode* ret = dummyHead->next;
delete dummyHead;
return ret;
}
};
```