Book Image

Tkinter GUI Programming by Example

Book Image

Tkinter GUI Programming by Example

Overview of this book

Tkinter is a modular, cross-platform application development toolkit for Python. When developing GUI-rich applications, the most important choices are which programming language(s) and which GUI framework to use. Python and Tkinter prove to be a great combination. This book will get you familiar with Tkinter by having you create fun and interactive projects. These projects have varying degrees of complexity. We'll start with a simple project, where you'll learn the fundamentals of GUI programming and the basics of working with a Tkinter application. After getting the basics right, we'll move on to creating a project of slightly increased complexity, such as a highly customizable Python editor. In the next project, we'll crank up the complexity level to create an instant messaging app. Toward the end, we'll discuss various ways of packaging our applications so that they can be shared and installed on other machines without the user having to learn how to install and run Python programs.
Table of Contents (18 chapters)
Title Page
Copyright and Credits
Packt Upsell
Contributors
Preface
Index

A second top-level window


The new window that will spawn for our find/replace box shall be stored in a new file. Create a new script called findwindow.py and begin by entering the following:

import tkinter as tk
import tkinter.ttk as ttk


class FindWindow(tk.Toplevel):
def __init__(self, master, **kwargs):
super().__init__(**kwargs  )

self.geometry('350x100')
self.title('Find and Replace')

self.text_to_find = tk.StringVar()
self.text_to_replace_with = tk.StringVar()

top_frame = tk.Frame(self)
middle_frame = tk.Frame(self)
bottom_frame = tk.Frame(self)

We will only need our usual Tkinter and ttk imports for this class.

We subclass Tkinter's Toplevel widget, which is a window that can act as a pop-up window to be displayed on top of a main window. It can be configured much like a regular Tk widget, but requires a master which needs to be an instance of the Tk widget as it cannot act as the main window of an application. A widget such as this is a great fit for our find/replace window, since...