描述
将一个节点数为 size 链表 m 位置到 n 位置之间的区间反转,要求时间复杂度 O(n)O(n),空间复杂度 O(1)O(1)。
例如:
给出的链表为 1→ 2 → 3 → 4 → 5 → NULL 1→2→3→4→5→NULL, m=2,n=4
返回 1→ 4→ 3→ 2→ 5→ NULL 1→4→3→2→5→NULL.
数据范围: 链表长度 0 < size ≤1000,0<m≤n≤size,链表中每个节点的值满足∣val∣≤1000
要求:时间复杂度 O(n) ,空间复杂度 O(n)
进阶:时间复杂度 O(n),空间复杂度 O(1)
示例1
输入:
{1,2,3,4,5},2,4
返回值:
{1,4,3,2,5}
示例2
输入:
{5},1,1
复制返回值:
{5}
import java.util.*;
/*
* public class ListNode {
* int val;
* ListNode next = null;
* }
*/
public class Solution {
/**
*
* @param head ListNode类
* @param m int整型
* @param n int整型
* @return ListNode类
*/
public ListNode reverseBetween (ListNode head, int m, int n) {
// write code here
if(head == null || head.next == null) {
return head;
}
int len = getLength(head);
if (m > len || n > len) {
return head;
}
ListNode dump = new ListNode(-1);
dump.next = head;
ListNode pre = dump;
for (int i=0;i<m-1;i++) {
//翻转节点的前一个节点
pre = pre.next;
}
// 待反转的第一个节点
ListNode cur = pre.next;
ListNode temp;
for (int i=0;i < n-m;i++) {
temp = cur.next;
cur.next = temp.next;
temp.next = pre.next;
pre.next = temp;
}
return dump.next;
}
public int getLength(ListNode head) {
int i=0;
while (head != null) {
head = head.next;
i++;
}
return i;
}
}