题目
给定一个链表,旋转链表,将链表每个节点向右移动 k 个位置,其中 k 是非负数。
示例 1:
输入: 1->2->3->4->5->NULL, k = 2
输出: 4->5->1->2->3->NULL
解释:
向右旋转 1 步: 5->1->2->3->4->NULL
向右旋转 2 步: 4->5->1->2->3->NULL
思路
- 先找到需要旋转的位置,移动的位数k有可能会大于链表总长度,总长度减去k后按照总长度取模 length-k%length 遍历链表找到要旋转的节点位置
- 定义一个旋转后的链表头指向这个节点的next
- 让旧链表的尾节点和旧链表的头节点对接,这样就完成了旋转。
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
class Solution {
public ListNode rotateRight(ListNode head, int k) {
if (head == null || head.next == null) return head;
ListNode index = head;
int len = 1;
while (index.next != null) {
index = index.next;
len++;
}
index.next = head;//环状
for (int i = 1; i < len - k % len; i++) {
head = head.next;
}//找到新链表的尾节点
ListNode res = head.next;//首节点
head.next = null;
return res;
}
}