Creating a GUI in Python
A module "tkinter" needs to be imported as follows:
import tkinter as tk
A root which is the source file is then created as follows:
root = tk.Tk()
It can be modified in the following manner:
root.geometry ( " 700x500 " )
root.configure ( bg = " light blue " )
At the end root.mainloop() needs to be written to run the root window infinitely.
Labels are created to display text on the window as follows:
label = tk.Label ( root , text = " hi " , width = 10 , height = 10 , bg = " red " , fg = " white " )
These labels need to be printed as follows
label.pack () #Prints label at the top of the page in the center
label.pack ( side = " left " ) # Prints label at left of the page in the center
label.place ( x = 100 , y = 200 ) #Prints label at the given coordinates
Buttons can be created to perform variety of tasks as follows:
def sub1():
label = tk.Label ( root,text = " Hello " , font = ( " Times new roman " , 15 ) )
label.place ( x = 0 , y = 0 )
button1 = tk.Button ( root,text = " Click Me " , command = sub1 )
button1.configure ( bg = " blue " )
button1.place ( x = 100 , y = 350 )
Entries can be taken from the user on the window in the following manner:
entry1 = tk.Entry ( root )
entry1.place ( x = 100 , y = 205 )
These entries can be accessed and printed on the window as well
Check buttons can be created in tkinter as follows:
CheckVar1 = IntVar()
CheckVar2 = IntVar()
C1 = Checkbutton ( root , text = "Music", variable = CheckVar1, onvalue = 1, offvalue = 0, height=5, width = 20)
C2 = Checkbutton ( root , text = "Video", variable = CheckVar2, onvalue = 1, offvalue = 0, height=5, width = 20)
C1.pack()
C2.pack()
Radio button can be created in tkinter as follows:
def sel():
selection = "You selected the option " + str(var.get())
label.config(text = selection)
var = IntVar()
R1 = Radiobutton ( root , text= " Option 1 " , variable = var, value = 1 , command = sel )
R1.pack()
R2 = Radiobutton ( root , text = " Option 2 " , variable = var, value = 2, command = sel )
R2.pack()
R3 = Radiobutton ( root , text = " Option 3 " , variable = var, value = 3 , command = sel )
R3.pack()
label = Label ( root )
label.pack()
Message boxes can be created using:
First we need to import messagebox from tkinter and then we can created many types of messageboxes.
from tkinter import messagebox
tk.messagebox.showinfo ( " Issue " , " This is a message box to show info " )
tk.messagebox.showwarning ( " Warning " , " Critical Error " )
0 Comments