博主:代码菌@-CSDN博客
专栏: LeetCode 刷题总结_代码菌@的博客-CSDN博客
目录
前言
题目
题解
全代码展示
根据题目,这是一道让我们手搓链表的一道题目,并且是一个环形链表,即最后一个节点指向头结点。
1. 首先我们要创建一个链表List,节点的值为1~n。
2. 实现约瑟夫环,有一个cur指针指向第一个节点,开始循环链表,直到链表中只剩一个节点时,退出循环,即cur == cur->next。
3. 如果循环还在遍历时,执行以下操作:
(1) 进行报数。执行m-1内循环,当执行到第m次时,当前cur就是要删除的节点。
(2)进行删除,我们可以有一个prev指针,是cur的上一个指针,prev->next = cur。让prev指向cur->next,cur=prev->next。
4. 当cur==cur->next时,链表只有一个节点,此时cur就是存货下来的人,cur的val就是这个人的序号。
int ysf(int n, int m ) {
Node* prev = CreatList(n); //创建链表
Node* cur = prev->next;
int count = 1;
while(cur != cur->next)
{
if(count == m)
{
count = 1;
prev->next = cur->next;
free(cur);
cur = prev->next;
}
else {
count++;
prev = cur;
cur = cur->next;
}
}
return cur->val;
}
其中,CreatList()函数是我们自己实现的,用来创建链表的,下面会给出代码。prev指针初始化为链表的未节点,cur为头结点。
我么从cur开始报数,当报数到m时,进行删除。最后,剩下的那个节点就是存货下来的人。
最后,我们来看一下,CreatList函数怎么实现的。
typedef struct ListNode Node;
Node* BuyNode(int val)
{
Node* newnode = (Node*)malloc(sizeof(Node));
newnode->next = NULL;
newnode->val = val;
return newnode;
}
Node* CreatList(int n)
{
Node* node = BuyNode(1);
Node* head = node;
Node* tail = head;
for(int i=2;i<=n;i++)
{
Node* newnode = BuyNode(i);
tail->next = newnode;
tail = tail->next;
}
tail->next = head;
return tail;
}
这里,我们为了方便,我们将结构体重命名为Node,此外,因为我们要多次使用malloc来开辟空间,所以写成函数来创建新的节点。
最后一定不要忘了将tail的next赋值为head。
typedef struct ListNode Node;
Node* BuyNode(int val)
{
Node* newnode = (Node*)malloc(sizeof(Node));
newnode->next = NULL;
newnode->val = val;
return newnode;
}
Node* CreatList(int n)
{
Node* node = BuyNode(1);
Node* head = node;
Node* tail = head;
for(int i=2;i<=n;i++)
{
Node* newnode = BuyNode(i);
tail->next = newnode;
tail = tail->next;
}
tail->next = head;
return tail;
}
int ysf(int n, int m ) {
Node* prev = CreatList(n);
Node* cur = prev->next;
int count = 1;
while(cur != cur->next)
{
if(count == m)
{
count = 1;
prev->next = cur->next;
free(cur);
cur = prev->next;
}
else {
count++;
prev = cur;
cur = cur->next;
}
}
return cur->val;
}
以上就是约瑟夫环问题的讲解,主要难点在于手搓一个环形链表,环形链表就是单链表最后将尾结点指向头结点。
最后,如果感觉本文对你有用,欢迎点赞,收藏,关注。Thanks♪(・ω・)ノ