题解 | #链表内指定区间反转#
链表内指定区间反转
https://www.nowcoder.com/practice/b58434e200a648c589ca2063f1faf58c
pre和cur指向节点固定,pre指向反转起始节点的前一个节点,cur指向反转的第一个节点。
每次将cur指向的下一个节点进行一次删除节点的操作,并插入到pre的后面。
/** * struct ListNode { * int val; * struct ListNode *next; * }; */ class Solution { public: /** * * @param head ListNode类 * @param m int整型 * @param n int整型 * @return ListNode类 */ ListNode* reverseBetween(ListNode* head, int m, int n) { ListNode* dummy=new ListNode(-1); dummy->next=head; ListNode* pre=dummy; for(int i=1;i<m;i++) { pre=pre->next; } ListNode* cur=pre->next; for(int i=0;i<n-m;i++) { ListNode* temp=cur->next;//记录要操作的节点(cur指向的下一个节点) cur->next=temp->next;//删除该节点(cur指向下下个节点) temp->next=pre->next;//该节点指向pre的下一个节点 pre->next=temp;//pre指向该节点 } return dummy->next; } };