题目要求

要对指定区域内的节点进行反转,首先,可以先定义一个哑节点,让其作为头节点指向第一个节点,以便后面解决left在第一个节点的情况:
cpp
struct ListNode *pre_head = (struct ListNode *)malloc(sizeof(struct ListNode));
pre_head->next = head;
先讨论left==right这种特殊情况:
cpp
if(left == right){
return head;
}
然后定义一个pre节点和cur节点,pre节点始终指向left的前一个节点,cur始终指向left节点:
cpp
struct ListNode *pre = cur;
cur = cur->next;
后面需要依次将left后面的节点放到pre的后面,总共需要循环(right-left)次,所有用for函数,在函数内先定义一个next节点指向cur的下一个节点,然后先把cur的下一个节点指向再下一个,再将cur的next放到pre的后面,最后将pre指向cur的next:
cpp
for(int i = 0; i < (right - left); i++){
struct ListNode *next = cur->next;
cur->next = next->next;
next->next = pre->next;
pre->next = next;
}
完整代码:
cpp
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* struct ListNode *next;
* };
*/
struct ListNode* reverseBetween(struct ListNode* head, int left, int right) {
struct ListNode *pre_head = (struct ListNode *)malloc(sizeof(struct ListNode));
pre_head->next = head;
struct ListNode *cur = pre_head;
if(left == right){
return head;
}
for(int i = 1; i < left; i++){
cur = cur->next;
}
struct ListNode *pre = cur;
cur = cur->next;
for(int i = 0; i < (right - left); i++){
struct ListNode *next = cur->next;
cur->next = next->next;
next->next = pre->next;
pre->next = next;
}
return pre_head->next;
}
