LeetCode92反转链表II-----头插法
题目表述
给你单链表的头指针 head 和两个整数 left 和 right ,其中 left <= right 。请你反转从位置 left 到位置 right 的链表节点,返回 反转后的链表 。
头插法
-
头插法也可以叫穿针引线法。可以初始化两个指针,fast 和 slow。slow与fast差一个节点的位置。
-
将 fast 后面的元素删除,然后添加到 slow 的后面。也即头插法。
-
依次重复fast和slow指针的连接方法。
-
最终返回 dummyHead.next
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public ListNode reverseBetween(ListNode head, int left, int right) {
ListNode dummy = new ListNode(-1,head);
ListNode fast = dummy.next;
ListNode slow = dummy;
for(int i = 0; i < left - 1; i++){
slow = slow.next;
fast = fast.next;
}
for(int i = 0; i < right -left;i++){
ListNode removed = fast.next;
fast.next = fast.next.next;
removed.next = slow.next;
slow.next = removed;
}
return dummy.next;
}
}