Building Your First Python GUI Application With Tkinter | |||||||||||||||||||||||||||||||||||||||||||||||||||||||||
The foundational element of a Tkinter GUI is the window windows are the containers in which all other GUI elements live these other GUI elements, such as text boxes, labels, and buttons, are known as widgets widgets are contained inside of windows simple_gui.py import tkinter as tk # create a window window = tk.Tk() # create a widget greeting = tk.Label(text="Hello, Tkinter") # use the Label widget's .pack() method greeting.pack() # event loop window.mainloop()there are several ways to add widgets to a window can use the Label widget's .pack() method when packing a widget into a window, Tkinter sizes the window as small as it can be while still fully encompassing the widget |
|||||||||||||||||||||||||||||||||||||||||||||||||||||||||
Working With Widgets | |||||||||||||||||||||||||||||||||||||||||||||||||||||||||
widget are the elements through which users interact with the program each widget in Tkinter is defined by a class some of the widgets available
Displaying Text and Images With Label Widgets
Label widgets are used to display text or imagesis for display purposes only Label widgets display text with the default system text color and the default system text background color typically black and white respectively may see different colors if user has changed these settings in the operating system can control Label text and background colors using the foreground and background parameters label = tk.Label( text="Hello, Tkinter", foreground="white", # Set the text color to white background="black" # Set the background color to black )can also specify a color using hexadecimal RGB values shorthand args for foreground and background label = tk.Label(text="Hello, Tkinter", fg="white", bg="black")can control height and width label = tk.Label( text="Hello, Tkinter", fg="white", bg="black", width=10, height=10 )width and height are measured in text units one horizontal text unit is determined by the width of the character 0 one vertical text unit is determined by the height of the character 0 Displaying Clickable Buttons With Button Widgets
Button widgets are used to display clickable buttonscan configure them to call a function whenever they're clicked many similarities between Button and Label widgets button = tk.Button( text="Click me!", width=25, height=5, bg="blue", fg="yellow", ) Getting User Input With Entry Widgets
import tkinter as tk window = tk.Tk() label = tk.Label(text="Name") entry = tk.Entry() label.pack() entry.pack() window.mainloop()three main operations of Entry widget
Getting Multiline User Input With Text Widgets
Text widgets are essentially multi-line Entry widgets>>> window = tk.Tk() >>> text_box = tk.Text() >>> text_box.pack()methods are the same but they work differently .get() takes two arguments
# get first letter of the first line >>> text_box.get("1.0") 'H' # can use string slicing >>> text_box.get("1.0", "1.5") 'Hello' # to get all the text from the text widget >>> text_box.get("1.0", tk.END) 'Hello\nWorld\n'.delete() works just like the Entry widget's method use one argument to delete a character use two arguments to delete a slice # delete the first character of 'Hello' >>> text_box.delete("1.0") # delete the 'ello' >>> text_box.delete("1.0", "1.4") # .get() shows the first line still contains a newline >>> text_box.get("1.0") '\n' # to delete entire contents >>> text_box.delete("1.0", tk.END).insert() will do one of two things
# insert lines 1 and 2 >>> text_box.insert("1.0", "Hello") >>> text_box.insert("2.0", "World") # the text is inserted at the end of the first line >>> text_box.get("1.0", tk.END) HelloWorld # to delete entire contents >>> text_box.delete("2.0", tk.END) >>> text_box.get("1.0", tk.END) Hello # Text widget does not automatically add newlines # to add a second line >>> text_box.insert("2.0", "\nWorld") # best way to append text is using tk.END # just append to last line >>> text_box.insert(tk.END, "Put me at the end!") to append as new line >>> text_box.insert(tk.END, "\nPut me at the end!") Assigning Widgets to Frames With Frame Widgets
a Frame is a container for other widgetscreate a Frame widget with a Label import tkinter as tk window = tk.Tk() frame = tk.Frame() # create a Label and assign it to the frame label = tk.Label(master=frame, text='Hello World!') # 'pack' it all together label.pack() frame.pack() window.mainloop()window with two Frame widgets import tkinter as tk window = tk.Tk() frame_a = tk.Frame() frame_b = tk.Frame() label_a = tk.Label(master=frame_a, text="I'm in Frame A") label_a.pack() label_b = tk.Label(master=frame_b, text="I'm in Frame B") label_b.pack() frame_a.pack() frame_b.pack() window.mainloop()note the order of how the frames are packed as shown above frame_a is above frame_b reverse the order and frame_b will be on top if the master argument is omitted when creating a new widget instance, then the widget will be placed inside of the top-level window by default import tkinter as tk window = tk.Tk() frame_a = tk.Frame() label_a = tk.Label(master=frame_a, text="I'm in Frame A") label_a.pack() frame_b = tk.Frame() label_b = tk.Label(master=frame_b, text="I'm in Frame B") label_b.pack() label_c = tk.Label(text="I'm not in a frame!") label_c.pack() # Swap the order of `frame_a` and `frame_b` frame_b.pack() frame_a.pack() window.mainloop() Adjusting Frame Appearance With Reliefs
Frame widgets can be configured with a relief attribute which creates a border around the frame
attribute adjusts the width of the border in pixels script packs five frames into a window import tkinter as tk # a dictionary of border attribute values border_effects = { "flat": tk.FLAT, "sunken": tk.SUNKEN, "raised": tk.RAISED, "groove": tk.GROOVE, "ridge": tk.RIDGE, } window = tk.Tk() for relief_name, relief in border_effects.items(): frame = tk.Frame(master=window, relief=relief, borderwidth=5) frame.pack(side=tk.LEFT) label = tk.Label(master=frame, text=relief_name) label.pack() window.mainloop() Understanding Widget Naming Conventions
widgets can be anonymous
>>> tk.Label(text="Hello, Tkinter").pack()it's suggested Hungarian notation be used
|
|||||||||||||||||||||||||||||||||||||||||||||||||||||||||
Controlling Layout With Geometry Managers | |||||||||||||||||||||||||||||||||||||||||||||||||||||||||
application layout in Tkinter is controlled with geometry managers
The .pack() Geometry Manager
the .pack() geometry manager uses a packing algorithm to place widgets in a Frame or window
in a specified orderfor a given widget, the packing algorithm has two primary steps
import tkinter as tk window = tk.Tk() frame1 = tk.Frame(master=window, width=100, height=100, bg="red") frame1.pack() frame2 = tk.Frame(master=window, width=50, height=50, bg="yellow") frame2.pack() frame3 = tk.Frame(master=window, width=25, height=25, bg="blue") frame3.pack() window.mainloop().pack() accepts some keyword arguments for more precisely configuring widget placement can set the fill keyword argument to specify in which direction the frames should fill
import tkinter as tk window = tk.Tk() frame1 = tk.Frame(master=window, height=100, bg="red") frame1.pack(fill=tk.X) frame2 = tk.Frame(master=window, height=50, bg="yellow") frame2.pack(fill=tk.X) frame3 = tk.Frame(master=window, height=25, bg="blue") frame3.pack(fill=tk.X) window.mainloop()the side keyword argument of .pack() specifies on which side of the window the widget should be placed
import tkinter as tk window = tk.Tk() frame1 = tk.Frame(master=window, width=200, height=100, bg="red") frame1.pack(fill=tk.Y, side=tk.LEFT) frame2 = tk.Frame(master=window, width=100, bg="yellow") frame2.pack(fill=tk.Y, side=tk.LEFT) frame3 = tk.Frame(master=window, width=50, bg="blue") frame3.pack(fill=tk.Y, side=tk.LEFT) window.mainloop()to make layout fully responsive import tkinter as tk window = tk.Tk() frame1 = tk.Frame(master=window, width=200, height=100, bg="red") frame1.pack(fill=tk.BOTH, side=tk.LEFT, expand=True) frame2 = tk.Frame(master=window, width=100, bg="yellow") frame2.pack(fill=tk.BOTH, side=tk.LEFT, expand=True) frame3 = tk.Frame(master=window, width=50, bg="blue") frame3.pack(fill=tk.BOTH, side=tk.LEFT, expand=True) window.mainloop() The .place() Geometry Manager
can use .place() to control the precise location that a widget should occupy in a window or Framemust provide two keyword arguments, x and y, which specify the x- and y-coordinates for the top-left corner of the widget both x and y are measured in pixels, not text units x and y determine the origin of the widget top left of window/Frame is 0,0 import tkinter as tk window = tk.Tk() frame = tk.Frame(master=window, width=150, height=150) frame.pack() label1 = tk.Label(master=frame, text="I'm at (0, 0)", bg="red") label1.place(x=0, y=0) label2 = tk.Label(master=frame, text="I'm at (75, 75)", bg="yellow") label2.place(x=75, y=75) window.mainloop().place() has drawbacks and isn't used very often
.pack() has some downsides placement of widgets depends on the order in which .pack() is called can be difficult to modify existing applications without fully understanding the code controlling the layout The .grid() Geometry Manager
.grid() provides all the power of .pack() in a format that's easier to understand and maintain.grid() works by splitting a window or Frame into rows and columns specify the location of a widget by calling .grid() passing the row and column indices to the row and column keyword arguments both row and column indices start at 0 example uses both .pack() and .grid() geometry managers import tkinter as tk window = tk.Tk() for i in range(3): for j in range(3): frame = tk.Frame( master=window, relief=tk.RAISED, borderwidth=1 ) frame.grid(row=i, column=j) label = tk.Label(master=frame, text=f"Row {i}\nColumn {j}") label.pack() window.mainloop().grid() is called on each Frame object positioning the widget in the grid .pack() is called on each Label object positioning the widget in the frame two types of padding are external and internal external padding adds some space around the outside of a grid cell controlled with two keyword arguments to .grid() extra padding around the Label widgets gives each cell in the grid space between the Frame border and the text in the Label
import tkinter as tk window = tk.Tk() for i in range(3): for j in range(3): frame = tk.Frame( master=window, relief=tk.RAISED, borderwidth=1 ) frame.grid(row=i, column=j, padx=5, pady=5) label = tk.Label(master=frame, text=f"Row {i}\nColumn {j}") label.pack(padx=5, pady=5) window.mainloop()the layout of the app is not responsive can adjust how the rows and columns of the grid grow as the window is resized using .columnconfigure() and .rowconfigure() both methods take three essential arguments
if one column has a weight of 1 and another a weight of 2, then the second column expands at twice the rate of the first import tkinter as tk window = tk.Tk() for i in range(3): window.columnconfigure(i, weight=1, minsize=75) window.rowconfigure(i, weight=1, minsize=50) for j in range(0, 3): frame = tk.Frame( master=window, relief=tk.RAISED, borderwidth=1 ) frame.grid(row=i, column=j, padx=5, pady=5) label = tk.Label(master=frame, text=f"Row {i}\nColumn {j}") label.pack(padx=5, pady=5) window.mainloop()by default widgets are centered in their grid cell import tkinter as tk window = tk.Tk() window.columnconfigure(0, minsize=250) window.rowconfigure([0, 1], minsize=100) label1 = tk.Label(text="A") label1.grid(row=0, column=0) label2 = tk.Label(text="B") label2.grid(row=1, column=0) window.mainloop()can change the location of each label inside of the grid cell using the sticky parameter accepts a string containing one or more of the following letters
import tkinter as tk window = tk.Tk() window.columnconfigure(0, minsize=250) window.rowconfigure([0, 1], minsize=100) label1 = tk.Label(text="A") label1.grid(row=0, column=0, sticky="n") label2 = tk.Label(text="B") label2.grid(row=1, column=0, sticky="e") window.mainloop()can combine multiple letters in a single string to position each label in the corner of its grid cell import tkinter as tk window = tk.Tk() window.columnconfigure(0, minsize=250) window.rowconfigure([0, 1], minsize=100) label1 = tk.Label(text="A") label1.grid(row=0, column=0, sticky="ne") label2 = tk.Label(text="B") label2.grid(row=1, column=0, sticky="sw") window.mainloop()to force a widget to fill a cell use
import tkinter as tk window = tk.Tk() window.rowconfigure(0, minsize=50) window.columnconfigure([0, 1, 2, 3], minsize=50) label1 = tk.Label(text="1", bg="black", fg="white") label2 = tk.Label(text="2", bg="black", fg="white") label3 = tk.Label(text="3", bg="black", fg="white") label4 = tk.Label(text="4", bg="black", fg="white") label1.grid(row=0, column=0) label2.grid(row=0, column=1, sticky="ew") label3.grid(row=0, column=2, sticky="ns") label4.grid(row=0, column=3, sticky="nsew") window.mainloop() |
|||||||||||||||||||||||||||||||||||||||||||||||||||||||||
Making Your Applications Interactive | |||||||||||||||||||||||||||||||||||||||||||||||||||||||||
Using Events and Event Handlers
TKinter provides an event loop for its UIhave to write code to be executed in response to an event simple event loop example # Assume that this list gets updated automatically events = [] # Create an event handler def handle_keypress(event): """Print the character associated to the key pressed""" print(event.char) while True: if events == []: continue event = events[0] # If event is a keypress event object if event.type == "keypress": # Call the keypress event handler handle_keypress(event)window.mainloop() is something like the example above does not define event handlers the loop does two things
Using .bind()
use .bind() to call an event handler whenever an event occurs on a widgetthe event handler is said to be bound to the event because it’s called every time the event occurs import tkinter as tk window = tk.Tk() def handle_keypress(event): """Print the character associated to the key pressed""" print(event.char) # Bind keypress event to handle_keypress() window.bind("<Key>", handle_keypress) window.mainloop()when the app is run its output goes to the stdout .bind() takes at least two arguments
def handle_click(event): print("The button was clicked!") button = tk.Button(text="Click me!") button.bind("commonly used events
Using command
every Button widget has a command attribute which can be assigned to a functionwhenever the button is pressed, the function is executed example import tkinter as tk def increase(): value = int(lbl_value["text"]) lbl_value["text"] = f"{value + 1}" def decrease(): value = int(lbl_value["text"]) lbl_value["text"] = f"{value - 1}" window = tk.Tk() window.rowconfigure(0, minsize=50, weight=1) window.columnconfigure([0, 1, 2], minsize=50, weight=1) btn_decrease = tk.Button(master=window, text="-", command=decrease) btn_decrease.grid(row=0, column=0, sticky="nsew") lbl_value = tk.Label(master=window, text="0") lbl_value.grid(row=0, column=1) btn_increase = tk.Button(master=window, text="+", command=increase) btn_increase.grid(row=0, column=2, sticky="nsew") window.mainloop() |
|||||||||||||||||||||||||||||||||||||||||||||||||||||||||
Building a Temperature Converter (Example App) | |||||||||||||||||||||||||||||||||||||||||||||||||||||||||
the bold text are unicode values
import tkinter as tk def fahrenheit_to_celsius(): """Convert the value for Fahrenheit to Celsius and insert the result into lbl_result. """ fahrenheit = ent_temperature.get() celsius = (5 / 9) * (float(fahrenheit) - 32) lbl_result["text"] = f"{round(celsius, 2)} \N{DEGREE CELSIUS}" # Set up the window window = tk.Tk() window.title("Temperature Converter") window.resizable(width=False, height=False) # Create the Fahrenheit entry frame with an Entry # widget and label in it frm_entry = tk.Frame(master=window) ent_temperature = tk.Entry(master=frm_entry, width=10) lbl_temp = tk.Label(master=frm_entry, text="\N{DEGREE FAHRENHEIT}") # Layout the temperature Entry and Label in frm_entry # using the .grid() geometry manager ent_temperature.grid(row=0, column=0, sticky="e") lbl_temp.grid(row=0, column=1, sticky="w") # Create the conversion Button and result display Label btn_convert = tk.Button( master=window, text="\N{RIGHTWARDS BLACK ARROW}", command=fahrenheit_to_celsius ) lbl_result = tk.Label(master=window, text="\N{DEGREE CELSIUS}") # Set up the layout using the .grid() geometry manager frm_entry.grid(row=0, column=0, padx=10) btn_convert.grid(row=0, column=1, pady=10) lbl_result.grid(row=0, column=2, padx=10) # Run the application window.mainloop() |
|||||||||||||||||||||||||||||||||||||||||||||||||||||||||
Building a Text Editor (Example App) | |||||||||||||||||||||||||||||||||||||||||||||||||||||||||
import tkinter as tk from tkinter.filedialog import askopenfilename, asksaveasfilename def open_file(): """Open a file for editing.""" filepath = askopenfilename( filetypes=[("Text Files", "*.txt"), ("All Files", "*.*")] ) if not filepath: return txt_edit.delete("1.0", tk.END) with open(filepath, mode="r", encoding="utf-8") as input_file: text = input_file.read() txt_edit.insert(tk.END, text) window.title(f"Simple Text Editor - {filepath}") def save_file(): """Save the current file as a new file.""" filepath = asksaveasfilename( defaultextension=".txt", filetypes=[("Text Files", "*.txt"), ("All Files", "*.*")], ) if not filepath: return with open(filepath, mode="w", encoding="utf-8") as output_file: text = txt_edit.get("1.0", tk.END) output_file.write(text) window.title(f"Simple Text Editor - {filepath}") window = tk.Tk() window.title("Simple Text Editor") window.rowconfigure(0, minsize=800, weight=1) window.columnconfigure(1, minsize=800, weight=1) txt_edit = tk.Text(window) frm_buttons = tk.Frame(window, relief=tk.RAISED, bd=2) btn_open = tk.Button(frm_buttons, text="Open", command=open_file) btn_save = tk.Button(frm_buttons, text="Save As...", command=save_file) btn_open.grid(row=0, column=0, sticky="ew", padx=5, pady=5) btn_save.grid(row=1, column=0, sticky="ew", padx=5) frm_buttons.grid(row=0, column=0, sticky="ns") txt_edit.grid(row=0, column=1, sticky="nsew") window.mainloop() |
|||||||||||||||||||||||||||||||||||||||||||||||||||||||||
A Simple Custom Component | |||||||||||||||||||||||||||||||||||||||||||||||||||||||||
uses fluent/functional programming
from tkinter import * root = Tk() root.geometry('700x450') class My_widget(Frame): def __init__(self, parent, label_text, button_text, button_name): super().__init__(master = parent) # set up the grid self.rowconfigure(0, weight=1) self.columnconfigure((0,1), weight=1, uniform='z') # create widgets Label(self, text=label_text).grid(row=0, column=0, sticky='nsew') Button(self, text=button_text, command=lambda: self.change(button_name)).grid(row=0, column=1, sticky='nsew') self.pack(expand=True, fill='both', padx=10, pady=10) def change(self, name): root.title(name) My_widget(root, 'Label Text 0', 'Button Text 0', 'button_0') My_widget(root, 'Label Text 1', 'Button Text 1', 'button_1') My_widget(root, 'Label Text 2', 'Button Text 2', 'button_2') root.mainloop() |