题目描述:
给你单链表的头节点 head ,请你反转链表,并返回反转后的链表。
示例 1:
输入:head = [1,2,3,4,5]
输出:[5,4,3,2,1]
示例 2:
输入:head = [1,2]
输出:[2,1]
示例 3:
输入:head = []
输出:[]
提示:
链表中节点的数目范围是 [0, 5000]
-5000 <= Node.val <= 5000
算法一:
思路:
使用双指针prev和curr,分别代表前节点和当前节点,同时使用变量next记录curr->next
不断向后移,让curr指向prev
最终返回prev(此时为尾节点)
代码实现:
# include<stdlib.h>
# include<stdio.h>
struct ListNode{
int val;
struct ListNode *next;
};
struct ListNode *reverseList_one(struct ListNode *head){
struct ListNode *prev=NULL;//前节点
struct ListNode *curr=head;//当前节点
while(curr){//当前节点为空退出
struct ListNode *next=curr->next;//后节点
curr->next->next=prev;//当前节点指向前节点
prev=curr;//前节点后移
curr=next;//当前节点后移
}
return prev;//prev指向最后节点,即新首节点
}
算法二:
思路:
使用递归算法,详见代码注释
更详细的理解见力扣(LeetCode)官网 - 全球极客挚爱的技术成长平台
代码实现:
struct ListNode *reverseList_two(struct ListNode *head){
if(head==NULL || head->next==NULL){
//首节点为空或者节点下一个为空
//返回当前节点
return head;
}
struct ListNode *newhead=reverseList_two(head->next);//递归到最后节点
head->next->next=head;//反转指向
head->next=NULL;//切断原指向
return newhead;//返回未被操作的尾节点(新首节点)newhead
}
算法优化:
新情景:
反转从下标为left
到下标为right
的节点,包括这两个节点。若下标不合理,则不反转。保证left<right
算法:
思路:
固定一个指针(prev)在left-1处
对curr和next不断后移,重复以下操作:
- next变为curr下一节点
- curr指向next下一节点
- next指向curr(即prev->next)
- curr(即prev->next)变为next
最终实现反转
代码实现:
void reverseIndex(struct ListNode* head, int left, int right){
if(left>=right){
return;
}
struct ListNode *prev=head;
for(int i=0;i<left;i++){
prev=prev->next;
}
struct ListNode *curr=prev->next;
struct ListNode *next;
for (int i = 0; i < right - left; i++) {
next = curr->next;
curr->next = next->next;
next->next = prev->next;
prev->next = next;
}
}