c++第三关猴子选大王
时间: 2023-10-18 21:24:42 浏览: 76
猴子选大王.cpp
5星 · 资源好评率100%
这是一个经典的约瑟夫问题,可以使用循环链表来解决。
首先,我们可以使用一个循环链表来表示猴子们围成的圆圈。然后,我们从第一个猴子开始,每隔 $m-1$ 个猴子就将当前猴子移除圆圈。当移除最后一个猴子后,第一轮结束,我们将剩下的猴子继续按照上述方法进行游戏,直到只剩下一个猴子为止。
具体实现可以参考下面的代码:
```c++
#include <iostream>
using namespace std;
// 定义循环链表节点
struct Node {
int data;
Node* next;
};
// 创建循环链表
Node* createList(int n) {
Node* head = new Node{1, nullptr};
Node* cur = head;
for (int i = 2; i <= n; i++) {
Node* node = new Node{i, nullptr};
cur->next = node;
cur = cur->next;
}
cur->next = head; // 链表尾部指向头部,形成循环链表
return head;
}
// 移除第k个节点,并返回下一个节点
Node* removeNode(Node* cur, int k) {
for (int i = 1; i < k; i++) {
cur = cur->next;
}
Node* next = cur->next;
cur->next = next->next;
delete next;
return cur->next;
}
// 猴子选大王游戏
int monkeyKing(int n, int m) {
Node* head = createList(n); // 创建循环链表
Node* cur = head;
for (int i = 1; i < n; i++) {
cur = removeNode(cur, m); // 移除第m个猴子
}
int king = cur->data; // 最后剩下的猴子即为大王
delete cur;
return king;
}
int main() {
int n, m;
cout << "请输入猴子的总数:";
cin >> n;
cout << "请输入每次要移除的猴子编号:";
cin >> m;
int king = monkeyKing(n, m);
cout << "最终的大王编号为:" << king << endl;
return 0;
}
```
在程序中,我们首先定义了一个 `Node` 结构体来表示循环链表的节点,然后实现了 `createList` 函数来创建循环链表。接着,我们实现了 `removeNode` 函数来移除第k个节点,并返回下一个节点。最后,我们实现了 `monkeyKing` 函数来进行猴子选大王游戏。在 `monkeyKing` 函数中,我们使用 `createList` 函数创建循环链表,并从头部开始依次移除第m个猴子,直到只剩下一个猴子为止,最后返回该猴子的编号即为大王。
阅读全文