Creating a game board with Tkinter(使用 Tkinter 创建游戏板)
问题描述
我正在尝试构建一个简单的 Connect Four 与 Python(2.7)
I am trying to build a simple game of Connect Four with Python(2.7)
我创建了一个板,它由一个简单的多维 Python 列表组成.
我的董事会列表如下所示:
I have created a board, that consists of a simple multidimensional Python list.
My Board list looks like this:
board = [
[_,_,_,_,_,_,_,_,_,_],
[_,_,_,_,_,_,_,_,_,_],
[_,_,_,_,_,_,_,_,_,_],
[_,_,_,_,_,_,_,_,_,_],
[_,_,_,_,_,_,_,_,_,_],
[_,_,_,_,_,_,_,_,_,_],
[_,_,_,_,O,_,_,_,_,_],
[_,_,_,_,X,_,_,_,_,_],
[_,_,_,_,X,O,_,_,_,_],
[_,_,_,_,X,O,_,_,_,_],
]
如果 X 是 Player1 而 O 是 Player2(或计算机).
Were X is Player1 and O is Player2 (or Computer).
现在,我为 GUI 创建了一些基本代码,如下所示:
Now, I have created some basic code for the GUI, like this:
# Connect 4 Game
import Tkinter
screen = Tkinter.Tk()
screen.title("My First Game")
#Create a board
board = Tkinter.Canvas(screen,width=500,height=500)
board.pack()
screen.mainloop()
问题:我怎样才能创建板的视觉表示,以便为每个列表,有一个矩形?另外,有没有办法检测,当一个矩形被点击并替换相应的列表值?
Question: How can i create a visual representation of the board, so that for every list, there is a rectangle? Also, is there a way to detect, when a rectangle is clicked and replace the corresponding list value?
推荐答案
我创建了一个标签板并根据点击的颜色为它们着色:
I created a board of labels and color them according to which is clicked:
import Tkinter as tk
board = [ [None]*10 for _ in range(10) ]
counter = 0
root = tk.Tk()
def on_click(i,j,event):
global counter
color = "red" if counter%2 else "black"
event.widget.config(bg=color)
board[i][j] = color
counter += 1
for i,row in enumerate(board):
for j,column in enumerate(row):
L = tk.Label(root,text=' ',bg='grey')
L.grid(row=i,column=j)
L.bind('<Button-1>',lambda e,i=i,j=j: on_click(i,j,e))
root.mainloop()
这不会进行任何验证(例如,确保单击的元素位于底部).使用类而不是全局数据也会更好,但这对于感兴趣的编码人员来说是一个练习:).
This doesn't do any validation (to make sure that the element clicked is at the bottom for example). It would also be much better with classes instead of global data, but that's an exercise for the interested coder :).
这篇关于使用 Tkinter 创建游戏板的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持编程学习网!
本文标题为:使用 Tkinter 创建游戏板
基础教程推荐
- 在 Python 中,如果我在一个“with"中返回.块,文件还会关闭吗? 2022-01-01
- 如何在海运重新绘制中自定义标题和y标签 2022-01-01
- 使用PyInstaller后在Windows中打开可执行文件时出错 2022-01-01
- Dask.array.套用_沿_轴:由于额外的元素([1]),使用dask.array的每一行作为另一个函数的输入失败 2022-01-01
- 如何让 python 脚本监听来自另一个脚本的输入 2022-01-01
- 筛选NumPy数组 2022-01-01
- Python kivy 入口点 inflateRest2 无法定位 libpng16-16.dll 2022-01-01
- 线程时出现 msgbox 错误,GUI 块 2022-01-01
- 用于分类数据的跳跃记号标签 2022-01-01
- 何时使用 os.name、sys.platform 或 platform.system? 2022-01-01