C语言实现一个扫雷游戏
在编写一个扫雷游戏开始之前,需要先了解时间戳。那么什么是时间戳呢?
了解之后,下面开始使用。
使用时间戳
srand((unsigned int)time(NULL));
下面是这个扫雷游戏的代码:
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
#define SIZE 10
#define MINES 20
void initBoard(char board[SIZE][SIZE])
{
int i, j;
for (i = 0; i < SIZE; i++)
{
for (j = 0; j < SIZE; j++)
{
board[i][j] = ' ';
}
}
}
void addMines(char board[SIZE][SIZE])
{
int count = 0;
int x, y;
srand(time(NULL));
while (count < MINES)
{
x = rand() % SIZE;
y = rand() % SIZE;
if (board[x][y] != 'X')
{
board[x][y] = 'X';
count++;
}
}
}
void displayBoard(char board[SIZE][SIZE], int reveal)
{
int i, j;
printf(" ");
for (i = 0; i < SIZE; i++)
{
printf(" %d", i + 1);
}
printf("\n");
printf(" +");
for (i = 0; i < SIZE; i++)
{
printf("--");
}
printf("\n");
for (i = 0; i < SIZE; i++)
{
printf("%c|", 'A' + i);
for (j = 0; j < SIZE; j++)
{
if (reveal || board[i][j] != 'X')
{
printf(" %c", board[i][j]);
}
else
{
printf(" ");
}
}
printf("\n");
}
}
int main()
{
char board[SIZE][SIZE];
int reveal = 0;
char row;
int col;
initBoard(board);
addMines(board);
while (1)
{
displayBoard(board, reveal);
printf("Enter row (A-%c): ", 'A' + SIZE - 1);
scanf(" %c", &row);
printf("Enter column (1-%d): ", SIZE);
scanf("%d", &col);
row = toupper(row);
if (row < 'A' || row > 'A' + SIZE - 1 || col < 1 || col > SIZE)
{
printf("Invalid input. Please try again.\n");
continue;
}
row -= 'A';
if (board[row][col - 1] == 'X')
{
reveal = 1;
displayBoard(board, reveal);
printf("You lose!\n");
break;
}
else
{
board[row][col - 1] = '-';
}
}
return 0;
}
这个代码示例实现了一个简单的扫雷游戏,游戏板的大小为10x10,共有20个地雷。玩家通过输入行和列来翻开相应的方格,如果翻开的方格是地雷,则游戏结束,如果翻开的方格不是地雷,则显示一个“-”表示这个方格是空白的。该程序会一直进行直到有方格被翻开为止。