欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

【LeetCode】链表——旋转链表

程序员文章站 2022-05-06 20:29:32
...

链接:https://leetcode-cn.com/explore/learn/card/linked-list/197/conclusion/767/
【LeetCode】链表——旋转链表
思路:将链表做了k次循环,每次将表尾移动到表头生成新链表,但是要考虑到k值大于表长len时,有k轮的循环是无意义的,因此循环次数应为k%len。

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
class Solution {
public:
    ListNode* rotateRight(ListNode* head, int k) {
        if(head==NULL || head->next==NULL) return head;
        ListNode* p=head;
        int len=0;
        while(p)
        {
            len++;
            p=p->next;
        }
        k%=len;
        for(int i=0;i<k;i++)
        {
            ListNode* p=head;
            while(p->next->next)
            {
                p=p->next;
            }
            p->next->next=head;
            head=p->next;
            p->next=NULL;         
        }
        return head;
    }
};
相关标签: C++