leetcode 206 反轉鍊錶

2021-10-06 05:08:24 字數 1516 閱讀 1770

反轉乙個單鏈表。

示例:

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

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

解法一:迭代法

### python

# definition for singly-linked list.

# class listnode:

# def __init__(self, x):

# self.val = x

# self.next = none

class

solution

:def

reverselist

(self, head: listnode)

-> listnode:

node =

none

# 當前節點的上乙個節點

cur = head # 當前節點

while cur:

# 如果當前節點存在

temp = cur.

next

# 用乙個臨時變數儲存當前節點的下乙個節點

cur.

next

= node # 更新當前節點的下乙個節點

node = cur # 用於更新上乙個節點的資訊

cur = temp # 當前節點移動到下乙個節點

return node

解法二:遞迴法,假設當前節點後面的所有節點都已經翻轉完畢,則對於當前節點需要操作兩部分:

將當前節點指向的下乙個節點指向當前節點;

當前節點的下乙個節點為none;

# python

# definition for singly-linked list.

# class listnode:

# def __init__(self, x):

# self.val = x

# self.next = none

class

solution

:def

reverselist

(self, head: listnode)

-> listnode:

ifnot head or

not head.

next

:# 遞迴停止條件

return head

temp = self.reverselist(head.

next

)# 當前節點後面的所有節點都已經翻轉完畢,返回翻轉鍊錶的頭結點

head.

next

.next

= head # 當前節點的下乙個節點指向當前節點

head.

next

=none

# 當前節點的下乙個節點為none

return temp # 返回包括當前節點的翻轉鍊錶的頭結點

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 反轉鍊錶

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 ...