其实不难,就是根据k=k%len判断需要旋转的位置,再将后半段接在前半段前面就行。
cpp
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
ListNode* rotateRight(ListNode* head, int k) {
if(head==NULL||k==0) return head;
ListNode* h=head;
int len=1;
while(h->next) {h=h->next;len++;}
k=k%len;
if(k==0) return head;
ListNode* e=head;
for(int i=0;i<len-k-1;i++) e=e->next;
ListNode* n=e->next;
e->next=NULL;
h->next=head;
return n;
}
};