Tkinter is a library in Python for developing GUI. It provides various widgets for developing GUI(Graphical User Interface). The Entry widget in tkinter helps to take user input, but it collects the input limited to a single line of text. Therefore, to create a Multiline entry text in tkinter there are a number of ways.
Methods to create multiline entry with tkinter:
- Using Text Widget
- Using ScrolledText widget
Method 1: Using Tkinter Text Widget
A text widget provides a multi-line text area for the user. The text widget instance is created with the help of the text class. It is also used to display text lines and also allows editing the text.
Syntax:
Text( root, optional parameters, ... )
Example 1:
Python3
import tkinter as tk
from tkinter import ttk
window = tk.Tk()
window.title( "Text Widget Example" )
window.geometry( '400x200' )
ttk.Label(window, text = "Enter your comment :" ,
font = ( "Times New Roman" , 15 )).grid(
column = 0 , row = 15 , padx = 10 , pady = 25 )
t = tk.Text(window, width = 20 , height = 3 )
t.grid(column = 1 , row = 15 )
window.mainloop()
|
Output:

The above output of the example lets the user enter text in multiple lines. But it does not show all the text entered by the user beyond the height of the text widget i.e., height=3. As it shows only 3 lines of text, therefore using a scroll bar for such multiline texts will solve the problem.
Example 2: Adding Scrollbar to text widget
Python3
import tkinter as tk
window = tk.Tk()
window.title( "Text Widget with Scrollbar" )
text = tk.Text(window, height = 8 , width = 40 )
scroll = tk.Scrollbar(window)
text.configure(yscrollcommand = scroll. set )
text.pack(side = tk.LEFT)
scroll.config(command = text.yview)
scroll.pack(side = tk.RIGHT, fill = tk.Y)
insert_text =
text.insert(tk.END, insert_text)
tk.mainloop()
|
Output:

Method 2: Using ScrolledText tkinter Widget
Instead of adding a scroll bar to a text widget as seen in example 2, we can directly use the ScrolledText tkinter widget for multiline entry by the user. This widget automatically adds the scroll bar as the text gets increased than the height of the scrolledText widget.
Example:
Python3
import tkinter as tk
from tkinter import ttk
from tkinter import scrolledtext
root = tk.Tk()
root.title( "ScrolledText Widget Example" )
ttk.Label(root, text = "ScrolledText Widget Example" ,
font = ( "Times New Roman" , 15 )).grid(column = 0 , row = 0 )
ttk.Label(root, text = "Enter your comments :" , font = ( "Bold" , 12 )).grid
(column = 0 , row = 1 )
text_area = scrolledtext.ScrolledText(root, wrap = tk.WORD,
width = 40 , height = 8 ,
font = ( "Times New Roman" , 15 ))
text_area.grid(column = 0 , row = 2 , pady = 10 , padx = 10 )
text_area.focus()
root.mainloop()
|
Output:
