请用C语言编写一个简单的23 根火柴游戏程序,实现人跟计算机玩这个游戏的程序。
时间: 2024-05-03 10:16:50 浏览: 244
以下为一个简单的23根火柴游戏程序,实现人与计算机玩这个游戏:
```c
#include <stdio.h>
#include <stdlib.h>
// 函数声明
int validMove(int matches, int move);
void computerMove(int *matches);
void playerMove(int *matches);
int main() {
int matches = 23;
int turn = 1; // 1表示玩家先手,0表示电脑先手
int move;
printf("欢迎来到23根火柴游戏!\n");
// 游戏开始
while (matches > 1) {
printf("\n现在还剩下 %d 根火柴,请输入您要取走的火柴数量:", matches);
if (turn == 1) {
playerMove(&matches);
} else {
computerMove(&matches);
}
printf("现在还剩下 %d 根火柴。\n", matches);
// 切换玩家
turn = !turn;
}
// 游戏结束
if (turn == 1) {
printf("\n您赢了!\n");
} else {
printf("\n电脑赢了!\n");
}
return 0;
}
// 判断移动是否合法
int validMove(int matches, int move) {
if (move < 1 || move > 3) {
return 0;
}
if (matches - move < 1) {
return 0;
}
return 1;
}
// 电脑移动
void computerMove(int *matches) {
int move = (*matches - 1) % 4;
if (move == 0) {
move = 1;
}
printf("电脑取走了 %d 根火柴。\n", move);
*matches -= move;
}
// 玩家移动
void playerMove(int *matches) {
int move;
scanf("%d", &move);
while (!validMove(*matches, move)) {
printf("输入无效,请重新输入:");
scanf("%d", &move);
}
printf("您取走了 %d 根火柴。\n", move);
*matches -= move;
}
```
代码解释:
1. `validMove` 函数用于判断移动是否合法,如果不合法则返回 0,否则返回 1。
2. `computerMove` 函数用于实现电脑的移动,首先根据当前火柴数量计算出最优移动数量,然后输出电脑取走的火柴数量,并修改火柴数量的值。
3. `playerMove` 函数用于实现玩家的移动,首先读入玩家输入的移动数量,然后检查是否合法,如果不合法则要求玩家重新输入,直到输入合法为止。最后输出玩家取走的火柴数量,并修改火柴数量的值。
4. 在 `main` 函数中,使用一个 `while` 循环实现游戏的主体流程,每轮循环先输出当前剩余火柴数量,然后根据当前轮到哪个玩家来调用相应的移动函数,最后切换玩家。
5. 当火柴数量小于等于 1 时,游戏结束,根据最后一个取走火柴的玩家判断胜负,并输出相应的信息。
阅读全文