天天看点

leetcode-two | Add Two Numbers2. 两数相加(Add Two Numbers)

2. 两数相加(Add Two Numbers)

You are given two non-empty linked lists representing two non-negative integers. The digits are stored in reverse order and each of their nodes contain a single digit. Add the two numbers and return it as a linked list.

You may assume the two numbers do not contain any leading zero, except the number 0 itself.

Example:

Input: (2 -> 4 -> 3) + (5 -> 6 -> 4)

Output: 7 -> 0 -> 8

Explanation: 342 + 465 = 807.

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

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

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

思路

可能会有这种思想:将链表中的数据还原成为数值类型,然后做完加法操作,还原成为列表。但是,我们需要考虑数值类型所能表示的最大的范围,是不可取的。

Python 支持三种不同的数值类型:
  • 整型(Int) - 通常被称为是整型或整数,是正或负整数,不带小数点。Python3 整型是没有限制大小的,可以当作 Long 类型使用,所以 Python3 没有 Python2 的 Long 类型。
  • 浮点型(float) - 浮点型由整数部分与小数部分组成,浮点型也可以使用科学计数法表示(2.5e2 = 2.5 x 102 = 250)
  • 复数( (complex)) - 复数由实数部分和虚数部分构成,可以用a + bj,或者complex(a,b)表示, 复数的实部a和虚部b都是浮点型。

这里介绍一个取位的思想:

a = 12345

取个位 : b = (a / 1) % 10 = a % 10

取十位: b = (a / 10) % 10

取百位: b = (a / 100) % 10

比较神奇的就是,python3整数没有大小的限制!但是,也不能采用。

  • 按照出题人思路,应该是要考察链表的理解
  • 如果采用,需要对数字完成逐个取值,很浪费时间
  • 代码量也比较高
leetcode-two | Add Two Numbers2. 两数相加(Add Two Numbers)
# 输入:(2 -> 4 -> 3) + (5 -> 6 -> 4)
# 输出:7 -> 0 -> 8
# 原因:342 + 465 = 807

class ListNode(object):
    def __init__(self, x):
        self.val = x
        self.next = None
class Solution(object):
    def addTwoNumbers(self, l1, l2):
        p,q = l1, l2
        carry = 0
        resultnode = None
        #使用or判断+下面的‘三元运算符’统一化处理,一次性处理了长链和断链情况
        while p!=None or q!=None:
            a = p.val if p!=None else 0
            b = q.val if q!=None else 0
            #这里也是比较巧妙的统一化处理
            sum = (carry + a + b) % 10
            carry = (carry + a + b) // 10
            listn = ListNode(sum)

            if resultnode==None:
                resultnode = listn
                flagnode = resultnode
            else:
                flagnode.next = listn
                flagnode = flagnode.next

            # 加入判断是否为None,是因为为None时报错:'NoneType' object has no attribute 'next'
            if p!=None:
                p = p.next
            if q!=None:
                q = q.next

        if carry != 0:      #处理进位值,如最后值为7 + 8,则需要增加一个节点存储进位值
            listn = ListNode(carry)
            flagnode.next = listn

        return resultnode


if __name__ == '__main__':

    l1_1 = ListNode(5)

    l2_1 = ListNode(5)


    l3_1 = Solution().addTwoNumbers(l1_1, l2_1)
    while l3_1 != None:
        print(l3_1.val)
        l3_1 = l3_1.next
           

结果:

执行用时 : 80 ms, 在Add Two Numbers的Python提交中击败了78.72% 的用户

内存消耗 : 11.9 MB, 在Add Two Numbers的Python提交中击败了20.89% 的用户

作者:

无涯明月

原文地址:https://baiyazi.top/2019/leetcode-2/

继续阅读