Rotate List
Question
- leetcode: Rotate List | LeetCode OJ
- lintcode: (170) Rotate List ### Problem Statement
Given a list, rotate the list to the right by k places, where k is non- negative.
Example
Given
1->2->3->4->5
and k =2
, return4->5->1->2->3
.
题解
旋转链表,链表类问题通常需要找到需要处理节点处的前一个节点。因此我们只需要找到旋转节点和最后一个节点即可。需要注意的细节是 k 有可能比链表长度还要大,此时需要取模,另一个 corner case 则是链表长度和 k 等长。
Java
1 | /** |
源码分析
由于需要处理的是节点的前一个节点,故最终的while
循环使用fast.next != null
. k 与链表等长时包含在len <= k
中。
复杂度分析
时间复杂度 \[O(n)\], 空间复杂度 \[O(1)\].
Rotate List