LeetCode 92. Reverse Linked List II (反转链表 II)
题目
链接
https://leetcode-cn.com/problems/reverse-linked-list-ii/
问题描述
给你单链表的头指针 head 和两个整数 left 和 right ,其中 left <= right 。请你反转从位置 left 到位置 right 的链表节点,返回 反转后的链表 。
示例
输入:head = [1,2,3,4,5], left = 2, right = 4
输出:[1,4,3,2,5]
提示
链表中节点数目为 n
1 <= n <= 500
-500 <= Node.val <= 500
1 <= left <= right <= n
思路
同样是快慢指针,和转置类似,只不过需要考虑到边界值。
复杂度分析
时间复杂度 O(n)
空间复杂度 O(1)
代码
Java
public ListNode reverseBetween(ListNode head, int left, int right) {
ListNode newhead = new ListNode(0, head);
ListNode l = newhead;
for (int i = 0; i < left - 1; i++) {
l = l.next;
}
ListNode pre = null;
ListNode cur = l.next;
int len = right - left + 1;
ListNode r = cur;
while (len > 0) {
ListNode tmp = cur.next;
cur.next = pre;
pre = cur;
cur = tmp;
len--;
}
l.next = pre;
r.next = cur;
return newhead.next;
}