LeetCode刷题笔记--002. 两数相加

题目描述:

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

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

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

示例:

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

分析:

设置三个链表l1_cur ,l2_cur 和l,l1_cur 遍历第一个链表,l2_cur 遍历第二个链表,l为一条新链表。然后分别将l1_cur 和l2_cur 对应值相加,若值大于10,则将当前值赋值为个位部分,并创建一个进位节点取值为1,若没有进位,则判断l1_cur与l2_cur的下一位是否有值,若有则创建一个进位节点取值为0,若无则不创建新节点。如此循环下去,直至其中一条链表为空,然后则遍历另外一条不为空的链表,并按顺序创建新的节点加入l中。

代码:

执行用时: 124 ms, 在Add Two Numbers的Python3提交中击败了94.56% 的用户
内存消耗: 6.7 MB, 在Add Two Numbers的Python3提交中击败了66.51% 的用户


# Definition for singly-linked list.
# class ListNode:
#     def __init__(self, x):
#         self.val = x
#         self.next = None

class Solution:
    def addTwoNumbers(self, l1, l2):
        """
        :type l1: ListNode
        :type l2: ListNode
        :rtype: ListNode
        """
        l1_cur = l1
        l2_cur = l2
        head = l = ListNode(0)
        while l1_cur and l2_cur:
            val = l1_cur.val + l2_cur.val
            l.val += val
            if l.val >= 10:
                l.val = l.val % 10
                l.next = ListNode(1)
                l = l.next
            else:
                if l1_cur.next or l2_cur.next:
                    l.next = ListNode(0)
                    l = l.next
            l1_cur = l1_cur.next
            l2_cur = l2_cur.next

        while l1_cur:
            l.val += l1_cur.val
            if l.val >= 10:
                l.val = l.val % 10
                l.next = ListNode(1)
                l = l.next
            else:
                if l1_cur.next:
                    l.next = ListNode(0)
                    l = l.next
            l1_cur = l1_cur.next
            
        while l2_cur:
            l.val += l2_cur.val
            if l.val >= 10:
                l.val = l.val % 10
                l.next = ListNode(1)
                l = l.next
            else:
                if l2_cur.next:
                    l.next = ListNode(0)
                    l = l.next
            l2_cur = l2_cur.next
        return head

复杂度:

n为最长链表的长度
时间复杂度 O ( n ) O(n) O(n),空间复杂度 O ( n ) O(n) O(n)

你可能感兴趣的:(LeetCode)