c语言扫雷游戏代码9*9
时间: 2023-06-26 12:03:44 浏览: 96
c语言小游戏代码-扫雷代码
4星 · 用户满意度95%
以下是一个基于C语言的9x9扫雷游戏代码示例,仅供参考:
```c
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
#define ROWS 9
#define COLS 9
#define ROW 9
#define COL 9
#define COUNT 10
void InitBoard(char board[ROWS][COLS], int rows, int cols, char ch);
void DisplayBoard(char board[ROWS][COLS], int row, int col);
void SetMine(char board[ROWS][COLS], int row, int col, int count);
int GetMineCount(char board[ROWS][COLS], int x, int y);
int main()
{
char mine[ROW][COL] = {0}; // 扫雷棋盘
char show[ROW][COL] = {0}; // 显示棋盘
int x, y; // 坐标
int win = 0; // 是否胜利
int total = ROW * COL - COUNT; // 扫雷总数
// 初始化棋盘
InitBoard(mine, ROW, COL, '0');
InitBoard(show, ROW, COL, '*');
DisplayBoard(show, ROW, COL);
// 布雷
srand((unsigned int)time(NULL));
SetMine(mine, ROW, COL, COUNT);
while (win < total)
{
printf("请输入坐标(x,y):\n");
scanf("%d%d", &x, &y);
if (x < 1 || x > ROW || y < 1 || y > COL)
{
printf("坐标非法,请重新输入!\n");
continue;
}
x--;
y--;
if (mine[x][y] == 'X') // 踩雷
{
printf("很遗憾,你踩雷了!\n");
DisplayBoard(mine, ROW, COL);
break;
}
else if (show[x][y] != '*') // 重复操作
{
printf("该位置已经被打开,请重新输入!\n");
continue;
}
else // 打开格子
{
int count = GetMineCount(mine, x, y);
show[x][y] = count + '0';
DisplayBoard(show, ROW, COL);
win++;
if (win == total) // 胜利
{
printf("恭喜你,扫雷成功!\n");
DisplayBoard(mine, ROW, COL);
break;
}
}
}
return 0;
}
// 初始化棋盘
void InitBoard(char board[ROWS][COLS], int rows, int cols, char ch)
{
int i, j;
for (i = 0; i < rows; i++)
{
for (j = 0; j < cols; j++)
{
board[i][j] = ch;
}
}
}
// 显示棋盘
void DisplayBoard(char board[ROWS][COLS], int row, int col)
{
int i, j;
printf(" ");
for (i = 1; i <= col; i++)
{
printf("%d ", i);
}
printf("\n");
for (i = 1; i <= row; i++)
{
printf("%d ", i);
for (j = 1; j <= col; j++)
{
printf("%c ", board[i - 1][j - 1]);
}
printf("\n");
}
}
// 布雷
void SetMine(char board[ROWS][COLS], int row, int col, int count)
{
int i, x, y;
for (i = 0; i < count; i++)
{
do
{
x = rand() % row;
y = rand() % col;
} while (board[x][y] == 'X');
board[x][y] = 'X';
}
}
// 计算周围雷数
int GetMineCount(char board[ROWS][COLS], int x, int y)
{
int count = 0;
if (x > 0 && board[x - 1][y] == 'X')
count++;
if (x < ROW - 1 && board[x + 1][y] == 'X')
count++;
if (y > 0 && board[x][y - 1] == 'X')
count++;
if (y < COL - 1 && board[x][y + 1] == 'X')
count++;
if (x > 0 && y > 0 && board[x - 1][y - 1] == 'X')
count++;
if (x > 0 && y < COL - 1 && board[x - 1][y + 1] == 'X')
count++;
if (x < ROW - 1 && y > 0 && board[x + 1][y - 1] == 'X')
count++;
if (x < ROW - 1 && y < COL - 1 && board[x + 1][y + 1] == 'X')
count++;
return count;
}
```
该代码实现了一个基本的9x9扫雷游戏,具有布雷、打开格子、计算周围雷数等功能。但是,该代码仅供参考,完整的扫雷游戏需要进一步完善和优化。
阅读全文