反轉乙個單鏈表。
示例:輸入: 1->2->3->4->5->null
輸出: 5->4->3->2->1->null
高階:你可以迭代或遞迴地反轉鍊錶。你能否用兩種方法解決這道題?
通過次數428,572
提交次數600,459
/**
* 反轉鍊錶 迭代法
* definition for singly-linked list.
* struct listnode ;
*/struct listnode*
reverselist
(struct listnode* head)
//用來遍歷指標的鍊錶
struct listnode *p=head;
//構建的新鍊錶
struct listnode *q=head;
//中間指標用來接收
struct listnode *t=head;
//開始遍歷,先用p記錄下來頭結點的下乙個節點
p=head->next;
// 只要遍歷鍊錶的指標p不為空就一直遍歷鍊錶
while
(p!=
null
)//新鍊錶的尾結點(位址為head)指向null
head->next=
null
;return q;
}
官方答案連線,非常詳細
/*
* **是官方答案,,但是非常好理解
其實遞迴就是把問題分解成乙個乙個子問題
遞迴去解決第乙個節點指向的後面結點即head->next
你解決的是反轉第乙個結點和後面鍊錶 通過不斷遞迴,頭結點不斷變成當前結點後面的結點,然後最後就成為解決乙個小的子問題.
*/struct listnode*
reverselist
(struct listnode* head)
struct listnode* newhead =
reverselist
(head->next)
; head->next->next = head;
head->next =
null
;return newhead;
}
/**
* 迭代法 方法同c語言
* definition for singly-linked list.
* public class listnode
* listnode(int val)
* listnode(int val, listnode next)
* }*/class
solution
//用來遍歷指標的鍊錶
listnode p=head;
//構建的新鍊錶
listnode q=head;
//中間指標用來接收
listnode t=head;
//開始遍歷,先用p記錄下來頭結點的下乙個節點
p=p.next;
// 只要遍歷鍊錶的指標p不為空就一直遍歷鍊錶
while
(p!=null)
//新鍊錶的尾結點(位址為head)指向null
head.next=null;
return q;
}}
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 ...