解题思路
data:image/s3,"s3://crabby-images/6cc20/6cc200c3575bff32b4c8c15d4446ea3168314b2d" alt="image.png"
data:image/s3,"s3://crabby-images/62cdd/62cddecff7427c1460f0dd7bba4a5b1d59a79038" alt="image.png"
public ListNode rotateRight(ListNode head, int k) {
// base cases
if (head == null) return null;
if (head.next == null) return head;
// close the linked list into the ring
ListNode old_tail = head;
int n;
for(n = 1; old_tail.next != null; n++)
old_tail = old_tail.next;
old_tail.next = head;
// find new tail : (n - k % n - 1)th node
// and new head : (n - k % n)th node
ListNode new_tail = head;
for (int i = 0; i < n - k % n - 1; i++)
new_tail = new_tail.next;
ListNode new_head = new_tail.next;
// break the ring
new_tail.next = null;
return new_head;
}