题目
给你一个链表的头节点 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]
提示:文章来源:https://www.toymoban.com/news/detail-804105.html
链表中节点的数目在范围 [0, 500] 内
-100 <= Node.val <= 100
0 <= k <= 2 * 10^9文章来源地址https://www.toymoban.com/news/detail-804105.html
题解
/**
* 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){
return head;
}
int length = 1;
ListNode node = head;
//计算链表长度
while(node.next != null){
length++;
node = node.next;
}
//构建环形链表
node.next = head;
int step = length - k % length;
while(step--> 0){
node = node.next;
}
ListNode res = node.next;
node.next = null;
return res;
}
}
到了这里,关于【算法题】61. 旋转链表的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!