LeetCodeAnimation/notes/LeetCode第445号问题:两数相加II.md

69 lines
2.0 KiB
Java
Raw Normal View History

2019-05-02 15:59:01 +08:00
# LeetCode 445 号问题两数相加 II
> 本文首发于公众号五分钟学算法[图解 LeetCode ](<https://github.com/MisterBooo/LeetCodeAnimation>)系列文章之一。
>
> 个人网站[https://www.cxyxiaowu.com](https://www.cxyxiaowu.com)
题目来源于 LeetCode 上第 445 号问题两数相加 II题目难度为 Medium目前通过率为 48.8%
### 题目描述
给定两个**非空**链表来代表两个非负整数数字最高位位于链表开始位置它们的每个节点只存储单个数字将这两数相加会返回一个新的链表
你可以假设除了数字 0 之外这两个数字都不会以零开头
**进阶:**
如果输入链表不能修改该如何处理换句话说你不能对列表中的节点进行翻转
**示例:**
```
输入: (7 -> 2 -> 4 -> 3) + (5 -> 6 -> 4)
输出: 7 -> 8 -> 0 -> 7
```
### 题目解析
由于计算时要保证最右边的数对齐那么很自然的想到先用****存放链表中的每个值然后依次计算由于相加时可能产生进位所以使用一个flag表示是否有进位
提示若栈中元素相加结束之后仍有进位则需要新加入一个头结点
### 动画描述
![](https://diycode.b0.upaiyun.com/photo/2019/3b0e95a2e5c00ab1071a7232ca329e62.gif)
### 代码实现
```python
class Solution:
def addTwoNumbers(self, l1, l2):
# 分别入栈
stack1 = []
stack2 = []
while l1:
stack1.append(l1.val)
l1 = l1.next
while l2:
stack2.append(l2.val)
l2 = l2.next
flag = 0
head = None
while stack1 or stack2 or flag != 0:
if stack1:
flag += stack1.pop()
if stack2:
flag += stack2.pop()
node = ListNode(flag % 10)
node.next = head
head = node
flag = flag // 10
return head
```
2019-11-14 11:00:28 +08:00
![](https://blog-1257126549.cos.ap-guangzhou.myqcloud.com/blog/fdvu1.png)