题目:
给出两个 非空 的链表用来表示两个非负的整数。其中,它们各自的位数是按照 逆序 的方式存储的,并且它们的每个节点只能存储 一位 数字。
如果,我们将这两个数相加起来,则会返回一个新的链表来表示它们的和。
您可以假设除了数字 0 之外,这两个数都不会以 0 开头。
示例:
输入:(2 -> 4 -> 3) + (5 -> 6 -> 4)
输出:7 -> 0 -> 8
原因:342 + 465 = 807
链接:https://leetcode-cn.com/problems/add-two-numbers
思路:
1、同时遍历两个链表,只要其中有元素不为空则进行下述操作。分别拿到当前元素进行相加,并且加上上一步的进位,保持当前位的值和相应的进位信息。一直执行上述操作指导两个链表均为空
Python代码:
# Definition for singly-linked list.
# class ListNode(object):
# def __init__(self, x):
# self.val = x
# self.next = None
class Solution(object):
def addTwoNumbers(self, l1, l2):
"""
:type l1: ListNode
:type l2: ListNode
:rtype: ListNode
"""
ret = ListNode(0)
guard = ret
carry = 0
while l1 or l2:
if l1 and l2:
item = l1.val + l2.val + carry
elif l1:
item = l1.val + carry
else:
item = l2.val + carry
carry = item/10
item = item%10
guard.next = ListNode(item)
guard = guard.next
l1 = l1.next if l1 else None
l2 = l2.next if l2 else None
if carry:
guard.next = ListNode(carry)
return ret.next
C++代码:
/**
* 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) {
ListNode* ret = new ListNode(0);
ListNode* guard = ret;
int carry = 0;
while (l1!=nullptr || l2!=nullptr){
int item=0;
if(l1!=nullptr && l2!=nullptr){
item = l1->val + l2->val + carry;
}else if (l1!=nullptr){
item = l1->val + carry;
}else{
item = l2->val + carry;
}
carry = item/10;
guard->next = new ListNode(item%10);
guard = guard->next;
if(l1!=nullptr){
l1 = l1->next;
}
if (l2!=nullptr){
l2 = l2->next;
}
}
if (carry>0){
guard->next = new ListNode(1);
}
return ret->next;
}
};
网友评论