原题:
给定一个链表,旋转链表,将链表每个节点向右移动 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

示例 2:
输入: 0->1->2->NULL, k = 4
输出: 2->0->1->NULL
解释:
向右旋转 1 步: 2->0->1->NULL
向右旋转 2 步: 1->2->0->NULL
向右旋转 3 步: 0->1->2->NULL
向右旋转 4 步: 2->0->1->NULL
解法:其实从题目中就包含了解题思路,“旋转”,是不是必须有一个环才能旋转。思路:先把单向链表变成循环链表,然后旋转之,找到新的头节点,再把头结点的上一个节点的next指向null,这样,就把循环链表断开了,得到新的链表。
/**
* 旋转链表
*
* @param head
* @param k
* @return
*/
public ListNode rotateRight(ListNode head, int k) {
if (head == null) {
return null;
}
ListNode current = head;
//链表长度
int length = 1;
while (current.next != null) {
current = current.next;
length += 1;
}
//变成循环链表
current.next = head;

//新的头结点的位置
int index = (length - (k % length));

if (index == 0) {
return head;
}
current = head;
//找到新的头结点
for (int i = 0; i < index - 1; i++) {
current = current.next;
}
head = current.next;
//断开链表
current.next = null;

return head;
}

 

内容来源于网络如有侵权请私信删除
你还没有登录,请先登录注册
  • 还没有人评论,欢迎说说您的想法!