The Pack geometry manager packs widgets relative to the earlier widget. Tkinter literally packs all the widgets one after the other in a window. We can use options like fill, expand, and side to control this geometry manager.
Compared to the grid manager, the pack manager is somewhat limited, but it’s much easier to use in a few, but quite common situations:
- Put a widget inside a frame (or any other container widget), and have it fill the entire frame
- Place a number of widgets on top of each other
- Place a number of widgets side by side
Code #1: Putting a widget inside frame and filling entire frame. We can do this with the help of expand and fill options.
Python3
from tkinter import * from tkinter.ttk import *
master = Tk()
pane = Frame(master)
pane.pack(fill = BOTH, expand = True )
b1 = Button(pane, text = "Click me !" )
b1.pack(fill = BOTH, expand = True )
b2 = Button(pane, text = "Click me too" )
b2.pack(fill = BOTH, expand = True )
master.mainloop()
|
Output:

Code #2: Placing widgets on top of each other and side by side. We can do this by side option.
Python3
from tkinter import *
master = Tk()
pane = Frame(master)
pane.pack(fill = BOTH, expand = True )
b1 = Button(pane, text = "Click me !" ,
background = "red" , fg = "white" )
b1.pack(side = TOP, expand = True , fill = BOTH)
b2 = Button(pane, text = "Click me too" ,
background = "blue" , fg = "white" )
b2.pack(side = TOP, expand = True , fill = BOTH)
b3 = Button(pane, text = "I'm also button" ,
background = "green" , fg = "white" )
b3.pack(side = TOP, expand = True , fill = BOTH)
master.mainloop()
|
Output:

Code #3:
Python3
from tkinter import *
master = Tk()
pane = Frame(master)
pane.pack(fill = BOTH, expand = True )
b1 = Button(pane, text = "Click me !" ,
background = "red" , fg = "white" )
b1.pack(side = LEFT, expand = True , fill = BOTH)
b2 = Button(pane, text = "Click me too" ,
background = "blue" , fg = "white" )
b2.pack(side = LEFT, expand = True , fill = BOTH)
b3 = Button(pane, text = "I'm also button" ,
background = "green" , fg = "white" )
b3.pack(side = LEFT, expand = True , fill = BOTH)
master.mainloop()
|
Output:
