Given a list, rotate the list to the right by k places, where k is non-negative.
For example:
Given 1->2->3->4->5->NULL
and k = 2
,
return 4->5->1->2->3->NULL
.node
向右旋轉一個單鏈表,旋轉k個位置,k非負數。算法
用一個輔助root結點鏈接到鏈表頭,先找到要移動的第一個結點的前驅prev,再將prev後的全部結點接到root後面,再將組成一個旋轉後的單鏈表。spa
鏈表結點類.net
public class ListNode { int val; ListNode next; ListNode(int x) { val = x; } }
算法實現類code
public class Solution { public ListNode rotateRight(ListNode head, int n) { if (head == null || n < 1) { return head; } ListNode root = new ListNode(0); root.next = head; ListNode p = root; ListNode q = root; int count = 0; for (int i = 0; i <=n; i++) { p = p.next; count++; if (p == null) { count--; // 鏈表中除頭結點後數據個數 n = n % count; // 實際要位置的位數 // 爲從新開始位移作準備 i = 0; p = head; } } // 找到第一個要交換的結點的前驅 // q爲第一個要交換的結點的前驅 while (p != null) { p = p.next; q = q.next; } p = q; q = root; if (p != null && p.next != null) { // 有要位移的結點 ListNode node; while (p.next != null) { // 摘除結點 node = p.next; p.next = node.next; // 接上結點 node.next = q.next; q.next = node; q = node; // 最後一個移動的節點 } } return root.next; } }