LeetCode 2. Add Two Numbers

来源:互联网 发布:python 模拟按键 编辑:程序博客网 时间:2024/06/05 17:03

题目:

You are given two linked lists representing two non-negative numbers. 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.

Input: (2 -> 4 -> 3) + (5 -> 6 -> 4)
Output: 7 -> 0 -> 8

题意:

给定2个非负数链表,求出2链表相加后的新链表。

题解:(By python)

在求2条链表(如A+B)之和,需考虑2条链表是否相等及不等的情况。

# Definition for singly-linked list.# class ListNode(object):#     def __init__(self, x):#         self.val = x#         self.next = Noneclass Solution(object):    def addTwoNumbers(self, l1, l2):        """        :type l1: ListNode        :type l2: ListNode        :rtype: ListNode        """        res=[(l1.val+l2.val)%10]        kes=[(l1.val+l2.val)/10]        l1=l1.next        l2=l2.next        k=1        while(l1 != None and l2 !=None):    #l1 与 l2 均未遍历完            res.append((l1.val+l2.val+kes[k-1])%10)            kes.append((l1.val+l2.val+kes[k-1])/10)            k+=1            l1=l1.next            l2=l2.next        while(l1 !=None and l2 == None):    #l1 比 l2长时            res.append((l1.val+kes[k-1])%10)            kes.append((l1.val+kes[k-1])/10)            k+=1            l1=l1.next        while(l1 ==None and l2 != None):    #l2 比 l1长时            res.append((l2.val+kes[k-1])%10)            kes.append((l2.val+kes[k-1])/10)            k+=1            l2=l2.next        if kes[k-1]>0:               #链表最后一位处理            res.append(kes[k-1]%10)        return res


0 0
原创粉丝点击