LeetCode206 反轉鍊錶之借用外部空間法

2021-10-09 06:48:53 字數 1758 閱讀 3476

反轉乙個單鏈表。

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

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

首先考慮特殊情況:鍊錶為空、鍊錶長度為1

動態陣列+一次迴圈:複製乙份鍊錶結點

第二次迴圈:倒敘輸出。每輪都會新建立一次node結點,後面的 if 判斷裡面生成它的下乙個結點,而下一輪建立的node結點,其實是上一輪node的next,通過這種方式,串成完整的鍊錶。最後乙個結點不要忘了指向null。

// 借用外部空間

public listnode reverselist

(listnode head)

// 定義乙個空動態陣列

arraylist

nodelist =

newarraylist

<

>()

;while

(head != null)

// 倒序輸出

int startindex = nodelist.

size()

-1;// 這裡要考慮鍊錶的長度

for(

int i = startindex; i >=

0; i--

)else

}// 現在頭結點是原來的尾節點

head = nodelist.

get(startindex)

;return head;

}

將每個結點的值按照順序存入list,後面又倒敘重新賦值,不改變結點指向。

這種寫法不需要考慮最後乙個結點指向null

public listnode reverselist2

(listnode head)

arraylist

list =

newarraylist

<

>()

;// 定義乙個動態陣列

listnode top = head;

// 賦值

while

(top != null)

top = head;

// 重新賦值

for(

int i = list.

size()

-1; i >=

0; i--

)return head;

}

先將鍊錶中的結點依次壓入棧,然後保留住最後乙個,讓最後乙個結點成為頭結點(腦補畫面:火車到站了,下一次以火車尾為火車頭開動,車廂又是一節一節的);然後遍歷棧,讓後面的結點乙個接乙個的連上去,最後的乙個結點指向null。

// stack

public listnode reverselist3

(listnode head)

stack

stack =

newstack

<

>()

; listnode temp = head;

while

(temp.next != null)

head = temp;

while

(!stack.

isempty()

) temp.next = null;

return head;

}

end.

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