Tkinter while 循环猜谜游戏

Tkinter while loop guess game

# Tkinter guessing game
from tkinter import *
import random


window = Tk()

# Bot Generator
bot = random.randint(1, 20+1)
print(bot)


def submit():
    tries = 5
    while tries >= 0:
        e1 = (int(guessE.get()))
        if e1 == bot:
            print("You win")
            break
            
        elif e1 != bot:
            print("Try again")
            tries -= 1
            break


def clear():
    guessE.delete(0, "end")
    
    
# Guess Label
guessL = Label(window, text="Guess a number (between 1 and 20}")
guessL.place(x=75, y=50)

# Guess Entry
guessE = Entry(window, width=25, bg="lightgrey")
guessE.place(x=95, y= 80)

# Submit Button
submitBtn = Button(window, width=10, height=2, text="Submit", command=submit)
submitBtn.place(x=85, y=115)

# Clear Button
clearBtn = Button(window, width=10, height=2, text="Clear", command=clear)
clearBtn.place(x=175, y=115)


window.geometry("350x350")
window.resizable(0, 0)
window.attributes("-topmost", True)
window.mainloop()

我正在尝试使用 Tkinter 创建一个猜谜游戏,我已经创建了所有条目和标签,清除按钮正在运行。我正在努力创建一个 while 循环,我需要程序在使用 5 次尝试后停止接受提交的条目。关于如何解决这个问题的任何想法?

就像@Paul Rooney 已经提到的那样,我也认为 while 循环是一个糟糕的设计。然而,这是一个带有全局变量和一些小改动的工作示例(当达到 0 次尝试时禁用输入和按钮):

# Tkinter guessing game
from tkinter import *
import random


window = Tk()

# Bot Generator
bot = random.randint(1, 20+1)
print(bot)

# define outside of function to not overwrite each time
tries = 5


def submit():
    global tries  # to make tries a global variable
    while tries > 0:  # this matches your tries amount correctly
        e1 = (int(guessE.get()))
        if e1 == bot:
            print("You win")
            break
            
        elif e1 != bot:
            print("Try again")
            tries -= 1
            break

    # print status, disable the widgets
    if tries == 0:
        print("No more tries left")
        guessE.configure(state="disabled")
        submitBtn.configure(state="disabled")


def clear():
    guessE.delete(0, "end")
    
    
# Guess Label
guessL = Label(window, text="Guess a number (between 1 and 20}")
guessL.place(x=75, y=50)

# Guess Entry
guessE = Entry(window, width=25, bg="lightgrey")
guessE.place(x=95, y= 80)

# Submit Button
submitBtn = Button(window, width=10, height=2, text="Submit", command=submit)
submitBtn.place(x=85, y=115)

# Clear Button
clearBtn = Button(window, width=10, height=2, text="Clear", command=clear)
clearBtn.place(x=175, y=115)


window.geometry("350x350")
window.resizable(0, 0)
window.attributes("-topmost", True)
window.mainloop()