Skip to content
Advertisement

Interaction between button in Python Tkinter [closed]

I’m trying to create a simple Tkinter GUI using Python. The user interface has 3 different buttons: Yes, No and Print.

If the user click button Yes then click button Print, a line will appear “Yes is 1” in the user interface.

If the user un-click Yes, then “No”, then click Print, a line will appear “No is 0” in the user interface

If user only click Yes, nothing will be shown.

But how can the program can know which button the user click? Which function can I use to find the connection between these two related button? How the code is performed?

Thank you so much!

Advertisement

Answer

Are you looking for something like this?:

import tkinter as tk

text_to_be_printed = None

def yes_pressed():
    global text_to_be_printed
    text_to_be_printed = "yes"
    results_label.config(text="")

def no_pressed():
    global text_to_be_printed
    text_to_be_printed = "no"
    results_label.config(text="")

def print_pressed():
    # If you want to print the text to the console:
    # print(text_to_be_printed)
    results_label.config(text=text_to_be_printed)


root = tk.Tk()

results_label = tk.Label(root, text="")

yes_button = tk.Button(root, text="yes", command=yes_pressed)
no_button = tk.Button(root, text="no", command=no_pressed)
print_button = tk.Button(root, text="print", command=print_pressed)

yes_button.pack()
no_button.pack()
print_button.pack()
results_label.pack()

root.mainloop()

It uses 3 functions that are called when the corresponding button is pressed. It also uses a flag text_to_be_printed that contains the data that should be printed on the screen. Please note that it is a global variable.

User contributions licensed under: CC BY-SA
8 People found this is helpful
Advertisement