1. 程式人生 > >61,旋轉連結串列

61,旋轉連結串列

給定一個連結串列,旋轉連結串列,將連結串列每個節點向右移動 個位置,其中 是非負數。

示例 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

解題思路:先把連結串列首尾相連,然後在K位置斷開

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution {
    public ListNode rotateRight(ListNode head, int k) {
        if(head==null) return head;
        ListNode dumy=new ListNode(0);
        dumy.next=head;
        ListNode cur=dumy.next;
    
        int length=1;
       // ListNode cur=dumy.next;
        while(cur.next!=null)
        {
           length++;
           cur=cur.next; 
        }
        k=k%length;
        cur.next=head;
        for(int i=0;i<(length-k%length);i++)
        {
            cur=cur.next;
        }
        ListNode newhead=cur.next;
        cur.next=null;
       return newhead; 
    }
}