用C语言写一个程序,用循环单链表实现约瑟夫问题
时间: 2024-09-30 19:05:33 浏览: 50
在C语言中,我们可以使用循环单链表来解决约瑟夫问题。约瑟夫问题是一个经典的算法问题,给定一组整数和一个步长k,当从列表的第一个元素开始,每隔k个步骤删除并打印当前节点的值,直到链表为空。
首先,我们需要创建一个循环链表结构,并实现添加节点、查找位置等基本操作。然后,我们模拟约瑟夫环的过程。下面是一个简单的示例:
```c
#include <stdio.h>
#include <stdlib.h>
typedef struct Node {
int data;
struct Node* next;
} Node;
Node* createLoopList(int n) {
Node* head = (Node*)malloc(sizeof(Node));
Node* tail = head;
for (int i = 0; i < n; ++i) {
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = i + 1;
newNode->next = head;
if (i == n - 1) {
tail->next = head;
} else {
tail = newNode;
}
}
return head;
}
void printJosephus(Node* head, int k) {
int pos = 1;
while (head != NULL) {
printf("%d ", head->data);
head = head->next;
if ((pos - 1) % k == 0) { // 删除节点
Node* temp = head;
while (temp->next != head) {
temp = temp->next;
}
head = temp->next;
}
pos++;
}
printf("\n");
}
int main() {
int n, k;
printf("Enter the number of nodes and step size: ");
scanf("%d %d", &n, &k);
Node* list = createLoopList(n);
printf("Josephus List with step size %d: \n", k);
printJosephus(list, k);
free(list); // 释放内存
return 0;
}
```
在这个程序中,用户输入链表长度`n`和步长`k`,然后会按照约瑟夫环的方式打印链表。注意,这里假设了输入的步长`k`小于链表长度`n`。
阅读全文