61. 旋转链表
难度中等615
给你一个链表的头节点 head
,旋转链表,将链表每个节点向右移动 k
个位置。
示例 1:
输入:head = [1,2,3,4,5], k = 2
输出:[4,5,1,2,3]
示例 2:
输入:head = [0,1,2], k = 4
输出:[2,0,1]
提示:
- 链表中节点的数目在范围
[0, 500]
内 -100 <= Node.val <= 100
0 <= k <= 2 * 109
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public ListNode rotateRight(ListNode head, int k) {
if(head==null|| k==0){
return head;
}
int len=1;
ListNode tail=head;
ListNode pre=head;
ListNode res=head;
while(tail.next!=null){
tail=tail.next;
len++;
}
tail.next=head;
//循环链表移动次数,即将res指针移动到末尾的k%len处
int loop=len-(k%len);
System.out.println(k);
for(int i=0;i<loop;i++){
pre=res;
res=res.next;
}
pre.next=null;
return res;
}
}