编写扫雷程序需要掌握以下关键步骤和代码:
游戏板初始化
创建一个二维列表来表示游戏板。
随机放置地雷。
计算周围地雷数量
编写一个函数来计算某个格子周围的地雷数量。
用户交互
实现用户翻开格子的逻辑。
标记可疑雷区。
游戏结束判定。
游戏逻辑实现
实现游戏的核心逻辑,包括地雷的随机生成、翻开格子的处理、周围地雷数量的计算等。
```python
import random
class Minesweeper:
def __init__(self, size=10, mines=10):
self.size = size
self.mines = mines
self.board = [[' ' for _ in range(size)] for _ in range(size)]
self.mines_locations = self._place_mines()
self.revealed = [[False for _ in range(size)] for _ in range(size)]
def _place_mines(self):
mines_locations = set()
while len(mines_locations) < self.mines:
x = random.randint(0, self.size - 1)
y = random.randint(0, self.size - 1)
if (x, y) not in mines_locations:
mines_locations.add((x, y))
self.board[x][y] = -1 -1代表地雷
return mines_locations
def _count_adjacent_mines(self, x, y):
count = 0
for dx in [-1, 0, 1]:
for dy in [-1, 0, 1]:
nx, ny = x + dx, y + dy
if 0 <= nx < self.size and 0 <= ny < self.size and self.board[nx][ny] == -1:
count += 1
return count
def reveal(self, x, y):
if self.board[x][y] == -1 or self.revealed[x][y]:
return
self.revealed[x][y] = True
if self.board[x][y] == 0:
self.board[x][y] = self._count_adjacent_mines(x, y)
for dx, dy in [(-1, 0), (1, 0), (0, -1), (0, 1)]:
nx, ny = x + dx, y + dy
if 0 <= nx < self.size and 0 <= ny < self.size and not self.revealed[nx][ny]:
self.reveal(nx, ny)
def is_game_over(self):
for row in range(self.size):
for col in range(self.size):
if self.board[row][col] == -1 and not self.revealed[row][col]:
return False
if self.board[row][col] != 0 and not self.revealed[row][col]:
return False
return True
def play(self):
while not self.is_game_over():
print(self.board)
x, y = self._get_user_input()
self.reveal(x, y)
if self.is_game_over():
print("Game Over!")
break
def _get_user_input(self):
while True:
try:
x = int(input("Enter row (0 to {}): ".format(self.size - 1)))
y = int(input("Enter column (0 to {}): ".format(self.size - 1)))
if 0 <= x < self.size and 0 <= y < self.size and not self.revealed[x][y]:
return x, y
print("Invalid input. Try again.")
except ValueError:
print("Invalid input. Try again.")
示例用法
game = Minesweeper(size=10, mines=10)
game.play()
```
代码解释:
初始化
`__init__`方法初始化游戏板、地雷