反转一个单链表。
示例:
输入: 1->2->3->4->5->NULL
输出: 5->4->3->2->1->NULL
首选对于链表问题,最好的解决方法就是,拿张纸画出来。
我们的思路就是利用双指针
- 定义两个指针: pre和 cur ;pre在前 cur在后。
- 每次让 pre的 next指向 cur,实现一次局部反转
- 局部反转完成之后, pre和 cur同时往前移动一个位置
- 循环上述过程,直至 pre到达链表尾部
data:image/s3,"s3://crabby-images/64fbd/64fbd3996fbb558246d1b469a01ce0f3a84e45db" alt=""
data:image/s3,"s3://crabby-images/de28f/de28f70b2f64c9f75de55957b700a3a4a60e5024" alt=""
data:image/s3,"s3://crabby-images/5e474/5e4745724e92410732d67e622d5185876eeceb49" alt=""
data:image/s3,"s3://crabby-images/b7e92/b7e92ce47195a2bfe17887033ffb21361e2f4113" alt=""
这样直到最后pre节点为空的时候停止
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
ListNode* reverseList(ListNode* head) {
ListNode* cur = NULL;
ListNode* pre = head;
while(pre != NULL){
ListNode* t = pre->next;
pre->next = cur;
cur = pre;
pre = t;
}
return cur;
}
};
网友评论