我在Tkinter / Python中创建了一个十个问题的多项选择测验。我创建了一个用于存储所有按钮的类,然后创建了十个其他类来存储每个问题,该问题出现在子窗口中,该问题作为标签和单选按钮/复选按钮。对于每个问题,当用户按下“ Enter”键时,程序会将他们的选择与正确的答案进行比较,并在必要时加1分以进行评分。如何使变量“分数”可用于程序中的所有内容(即每个类)?我是否必须在课程之间传递分数的值?

class Question_5_Window(tk.Toplevel):
    '''A simple instruction window'''
    def __init__(self, parent):
        tk.Toplevel.__init__(self, parent)
        self.text = tk.Label(self, width=100, height=4, text = "5) What would you do if you were walking to class and you saw a first year crying? Tick all correct answers.")
        self.text.pack(side="top", fill="both", expand=True)

        question_5_Var1 = IntVar()
        question_5_Var2 = IntVar()
        question_5_Var3 = IntVar()

        A_5 = Checkbutton(self, text = "Keep walking", variable = question_5_Var1, onvalue = 1, offvalue = 0, height=5, width = 20)
        A_5.pack()

        B_5 = Checkbutton(self, text = "Take them to guidance", variable = question_5_Var2, onvalue = 1, offvalue = 0, height=5, width = 20)
        B_5.pack()

        C_5 = Checkbutton(self, text = "Talk to them to resolve issue", variable = question_5_Var3, onvalue = 1, offvalue = 0, height=5, width = 20)
        C_5.pack()

        def calculate_score():

            if (question_5_Var2.get() == 1) and (question_5_Var3.get() == 1) and not question_5_Var1.get():
                print("calculate score has worked")
                score = score + 1
            else:
                print("not worked")

            return score

        Enter_5 = Button(self, text= "Enter", width=10, command = calculate_score)
        Enter_5.pack()

        return score

最佳答案

根据我们的讨论,获取所需内容的最快方法是向包含问题按钮的tk对象添加属性。

class WhateverContainer(tk.Frame):
    def __init__(self)  # ... *args, **kwargs or whatever is appropriate
        # ... other stuff
        self.scores = dict()  # common storage

class Question(tk.TopLevel):
    def __init__(self, parent, question_id):  # ... whatever arguments
        # ...
        def callback()
            if nice_answer:
                parent.scores[question_id] = 1


需要明确的是,这不是一个“好的”解决方案,因为至少,子窗口不应直接与父窗口的数据混淆。但是,我认为它将对您的应用程序有效。如果您想获得有关您的设计和编码的反馈,您可能对CodeReview感到幸运。

我希望该测验对您有效。

09-28 09:01