Reverse a linked list from position m to n. Do it in one-pass.
Note: 1 ≤ m ≤ n ≤ length of list.
Example:
Input: 1->2->3->4->5->NULL, m = 2, n = 4 Output: 1->4->3->2->5->NULL
题解:链表问题,就地反转指定位置之间的链表,用循环迭代的方法时要想到一种可以递归的算法,不要从头开始一个一个走一遍,这里要完成一步一步的反转可以把后面的数据不断加到前面来所以需要设置两个固定指针一个pre一个cur,pre是m位置前个数据项,cur是m位置的数据项,然后每次遍历时定义一个move指针来完成链接,move表示当前需要链接的位置也就是cur->next
代码:
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
ListNode* reverseBetween(ListNode* head, int m, int n) {
ListNode* newhead=new ListNode(0);
newhead->next=head;
ListNode* pre=newhead;
for(int i=0;i<m-1;i++)
pre=pre->next;
ListNode* cur=pre->next;
for(int i=0;i<n-m;i++){
ListNode* move = cur->next;
cur->next=move->next;
move->next=pre->next;
pre->next=move;
}
return newhead->next;
}
};