LeetCode 206 反轉鍊錶

2021-09-05 11:51:43 字數 1430 閱讀 9991

206.反轉鍊錶

反轉乙個單鏈表。

輸入: 1->2->3->4->5->null

輸出: 5->4->3->2->1->null

非遞迴解法:

1.

class

solution

(object):

defreverselist

(self, head)

:"""

:type head: listnode

:rtype: listnode

"""res =

none

while head!=

none

: r = res #用r來儲存上一次反轉後的鍊錶

res = head #res 表示反轉後的鍊錶第乙個節點

head = head.

next

#當前節點後移

res.

next

= r #反轉後鍊錶的頭結點鏈結上一次的反轉後的鍊錶

return res

class

solution

(object):

defreverselist

(self, head)

:"""

:type head: listnode

:rtype: listnode

"""per = head

res =

none

while per!=

none

: res,per,res.

next

= per,per.

next

,res

return res

遞迴解法:

class

solution

(object):

defreverselist

(self, head)

:"""

:type head: listnode

:rtype: listnode

"""if head ==

none

or head.

next

==none

:#如果鍊錶沒有節點或只有乙個節點就返回本身

return head

else

: res = self.reverselist(head.

next

)#遞迴返回最後的節點

head.

next

.next

= head#頭結點接到尾巴上

head.

next

=none

return res

leetcode 206 鍊錶反轉

一 題目大意 反轉乙個單鏈表,實現遞迴和非遞迴兩種形式 二 鍊錶節點 public class listnode 三,分析 1,非遞迴解決方案 最容易想到的是使用三個指標,p1,p2,p3,遍歷鍊錶事項反轉。這裡需要注意的是,p1,p2,p3的初始化,不同初始化應該考慮煉表頭的不同處理。一般的初始是...

LeetCode 206 反轉鍊錶

反轉乙個單鏈表。高階 鍊錶可以迭代或遞迴地反轉。你能否兩個都實現一遍?設定三個指標分別指向連續的三個節點,每次完成節點的反向就把三個節點同時後移,直到所有節點反轉。definition for singly linked list.struct listnode class solution ret...

LeetCode 206 反轉鍊錶

反轉乙個單鏈表。輸入 1 2 3 4 5 null 輸出 5 4 3 2 1 null我用迭代法做的,定義三個指標p,q,r,p用來標記下乙個結點要指向的結點,q用來反轉指向p結點,r遍歷原序鍊錶,用來儲存下乙個未反轉的結點。注意開始時p的下乙個結點一定要指向空。一開始沒有注意這,結果一直超時。原來...