難度: 中等 刷題內容 原題鏈接leetcode-twosumnode
內容描述python
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.git
You may assume the two numbers do not contain any leading zero, except the number 0 itself.算法
Example:bash
Input: (2 -> 4 -> 3) + (5 -> 6 -> 4) Output: 7 -> 0 -> 8 Explanation: 342 + 465 = 807.ui
給出兩個 非空 的鏈表用來表示兩個非負的整數。其中,它們各自的位數是按照 逆序 的方式存儲的,而且它們的每一個節點只能存儲 一位 數字。spa
若是,咱們將這兩個數相加起來,則會返回一個新的鏈表來表示它們的和。翻譯
您能夠假設除了數字 0 以外,這兩個數都不會以 0 開頭。指針
這道並非什麼難題,算法很簡單,鏈表的數據類型也不難,就是創建一個新鏈表,而後把輸入的兩個鏈表從頭日後擼,每兩個相加,添加一個新節點到新鏈表後面。code
定義節點,使用:類+構造方法,構造方法的參數要有節點的數值大小、對下一個節點的指針等。 若 l1 表示一個鏈表,則實質上 l1 表示頭節點的指針。 先實例一個頭結點,而後在 while 循環中逐個加入節點。 del ret 刪除頭結點。
head是一個啞節點(dummy node),能夠簡化代碼。 python的對象分爲兩種:可變對象與不可變對象。 整數屬於不可變對象,當改變j的值時,至關於新建了一個整數對象從新賦值給j,故不會改變i的值。而l和head指向的是可變對象,於是l變化了,head也會隨之變化。
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, x):
# self.val = x
# self.next = None
class Solution:
# @return a ListNode
def addTwoNumbers(self, l1, l2):
if l1 == None: return l2
if l2 == None: return l1
flag = 0
dummy = ListNode(0); p = dummy
while l1 and l2:
p.next = ListNode((l1.val+l2.val+flag) % 10)
flag = (l1.val+l2.val+flag) / 10
l1 = l1.next; l2 = l2.next; p = p.next
if l2:
while l2:
p.next = ListNode((l2.val+flag) % 10)
flag = (l2.val+flag) / 10
l2 = l2.next; p = p.next
if l1:
while l1:
p.next = ListNode((l1.val+flag) % 10)
flag = (l1.val+flag) / 10
l1 = l1.next; p = p.next
if flag == 1: p.next = ListNode(1)
return dummy.next
複製代碼
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, x):
# self.val = x
# self.next = None
class Solution:
# @return a ListNode
def addTwoNumbers(self, l1, l2):
head = ListNode(0)
l.next = ListNode(sum)
l = l.next
return head.next
複製代碼