python写个五子棋
时间: 2024-08-12 21:05:23 浏览: 110
python制作简单五子棋游戏
5星 · 资源好评率100%
编写一个简单的五子棋游戏在Python中通常涉及基本的游戏规则、用户界面以及逻辑判断。这里是一个基础版本的五子棋游戏框架:
```python
import numpy as np
# 定义棋盘大小
SIZE = 15
board = np.zeros((SIZE, SIZE), dtype=int)
def print_board():
for row in board:
print(' '.join(str(num) if num else ' ' for num in row))
def check_win(row, col):
# 检查四个方向是否有连续五个黑点
directions = [(0, 1), (1, 0), (0, -1), (1, 1)]
for dx, dy in directions:
count = 1
for i in range(4):
r, c = row + i * dx, col + i * dy
if 0 <= r < SIZE and 0 <= c < SIZE and board[r][c] == 1:
count += 1
else:
break
if count >= 5:
return True
return False
def make_move(player):
while True:
try:
row, col = map(int, input(f"{player}请输入行({SIZE})和列({SIZE}): ").split())
if board[row][col] == 0:
board[row][col] = player
if check_win(row, col):
print_board()
print(f"玩家{player}获胜!")
return
except ValueError:
print("输入无效,请重新尝试.")
make_move('X')
make_move('O')
```
这个示例只是一个非常基础的版本,实际应用中可能需要添加更多的错误处理、游戏循环(直到有玩家赢得游戏或者棋盘填满)以及人工智能对手。如果你想创建更完整的游戏体验,可以考虑使用GUI库如Tkinter或者PIL来显示棋盘,并引入一些算法来生成AI对手的移动。
阅读全文