目录
题目描述
- 题目地址:http://mtw.so/5Pu929
- 题目要求
将一个节点数为 size 链表 m 位置到 n 位置之间的区间反转,要求时间复杂度 O(n),空间复杂度 O(1)。
例如:
给出的链表为 1-> 2 -> 3 -> 4 -> 5 -> NULL,m=2,n=4,
返回 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}
解题思路
- 判断边界条件,该题若m === n或只有一个节点或空,则不需要翻转
- 和链表反转类似,关键在于确定指定区间的前后节点
for循环
寻找start和end
解题代码
function reverseBetween( head , m , n ) {
if(m === n){
return head // 如果m === n,则不需要翻转
}
if(head == null || head.next == null){
return head // 如果只有一个节点或空,也不需要翻转
}
// start指向开始反转节点的前一个节点, 即 m - 1
// end指向 n + 1
let cur = head
let start = null
let end = null
// 寻找start和end
for(let i = 1; i <= n; i++){
if(i === m - 1){
start = cur
}
cur = cur.next
}
end = cur
let pre = null
let next = null
// 如果起始节点不是头节点,说明start有值
if(m > 1){
cur = start.next
while(cur !== end){
next = cur.next
cur.next = pre
pre = cur
cur = next
}
start.next.next = end
start.next = pre
} else { // 起始节点就是头节点,start没有值
cur = head
while(cur !== end){
next = cur.next
cur.next = pre
pre = cur
cur = next
}
head.next = end
head = pre
}
return head
}
module.exports = {
reverseBetween : reverseBetween
};
标签:head,end,cur,反转,指定,next,链表,start
From: https://www.cnblogs.com/xiayuxue/p/16584791.html