leetCode–206(反转链表)
给你单链表的头节点 head ,请你反转链表,并返回反转后的链表。
示例 1:
data:image/s3,"s3://crabby-images/ece71/ece71d3021a68528deeda36bd03798193ac5bdb7" alt="image-20220607214101110"
1 2
| 输入:head = [1,2,3,4,5] 输出:[5,4,3,2,1]
|
示例 2:
data:image/s3,"s3://crabby-images/41ee3/41ee3db0ef23042c2ccb54f591aa035bbc373ff9" alt="image-20220607214111603"
示例 3:
解法一:迭代
定于两个指针,第一个指针pre指向null,第二个cur指针指向head。
不断的遍历cur,终止条件是:cur为空。
每次遍历,将cur指向pre。之后pre等于cur。cur向后移动一位。以此类推。
data:image/s3,"s3://crabby-images/0616b/0616b3b7c0b24bb5dbe0470b4f75cb12fd85873c" alt="迭代.gif"
代码为:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24
|
class Solution { public ListNode reverseList(ListNode head) { ListNode cur = head; ListNode pre = null; ListNode next = null; while(cur!=null){ next = cur.next; cur.next = pre; pre = cur; cur = next; } return pre; } }
|
data:image/s3,"s3://crabby-images/2ec39/2ec39bbe21fc88b0596c145a76204aede4ff232a" alt="image-20220809172448973"
data:image/s3,"s3://crabby-images/2a273/2a2737dd1553d59d8ad285b37246c654a1941731" alt="image-20220809172531552"
data:image/s3,"s3://crabby-images/1c755/1c755bd025df397542d3dedec89bfa7a85aa02e3" alt="image-20220809172605118"
data:image/s3,"s3://crabby-images/abdef/abdefa456d9a0c391849d682dce7a157bd6a6381" alt="image-20220809172645161"
data:image/s3,"s3://crabby-images/ad0b3/ad0b3c9ef65350de7ce429ba8cdb3bd0179649df" alt="image-20220809172716283"
data:image/s3,"s3://crabby-images/c46cc/c46cc5309c3d9395867952a6da7f84b5a411ce69" alt="image-20220809172747203"
data:image/s3,"s3://crabby-images/cf8cb/cf8cb7928a60fce0590f4ec91976c9663f4545b0" alt="image-20220809172819709"
data:image/s3,"s3://crabby-images/6e9c6/6e9c6634da833bff4117b193241dee1466d3382b" alt="image-20220809172855161"
解法二:递归
data:image/s3,"s3://crabby-images/6390c/6390c425c74131274e93e28cd80be3442ca3ef31" alt="image-20220607220309617"
data:image/s3,"s3://crabby-images/19e32/19e327a9876d2860f0610119785bbb82dc0cfafe" alt="递归.gif"
递归的两个条件:
- 终止条件是当前节点或者下一个节点==null
- 在函数内部,改变节点的指向,也就是 head 的下一个节点指向 head 递归函数那句
递归函数中每次返回的 cur 其实只最后一个节点,在递归函数内部,改变的是当前节点的指向。
代码为:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20
|
class Solution { public ListNode reverseList(ListNode head) { if (head==null || head.next==null) return head; ListNode newNode = reverseList(head.next); head.next.next = head; head.next = null; return newNode; } }
|