61. 旋转链表(快慢指针)

149 阅读1分钟

public class Num61旋转链表 {
    public ListNode rotateRight(ListNode head, int k) {
        if (head == null) return head;
        int n = 0;
        for (ListNode p = head; p != null; p = p.next) n++;
        k %= n;
        //找到倒数第k+1个结点
        ListNode slow = head, fast = head;
        for (int i = 0; i < k; i++) fast = fast.next;
        while (fast.next != null) {
            fast = fast.next;
            slow = slow.next;
        }
        fast.next = head;
        head = slow.next;
        slow.next = null;
        return head;
    }
}