Как изменить текст label python

I am having trouble with using a key binding to change the value of a label or any parameter. This is my code: from tkinter import* class MyGUI: def __init__(self): self.__mainWindow = Tk() ...

I am having trouble with using a key binding to change the value of a label or any parameter.
This is my code:

from tkinter import*

class MyGUI:
  def __init__(self):
    self.__mainWindow = Tk()
    #self.fram1 = Frame(self.__mainWindow)
    self.labelText = 'Enter amount to deposit'
    self.depositLabel = Label(self.__mainWindow, text = self.labelText)
    self.depositEntry = Entry(self.__mainWindow, width = 10)
    self.depositEntry.bind('<Return>', self.depositCallBack)
    self.depositLabel.pack()
    self.depositEntry.pack()
        
    mainloop()
    
  def depositCallBack(self,event):
    self.labelText = 'change the value'
    print(self.labelText)
    
myGUI = MyGUI()

When I run this, I click the entrybox and hit enter, hoping that the label will change value to ‘change the value’. However, while it does print that text, the label remains unchanged.

From looking at other questions on similar problems and issues, I have figured how to work with some of this outside a class, but I’m having some difficulties with doing it inside a class.

Karl Knechtel's user avatar

Karl Knechtel

60.7k11 gold badges93 silver badges140 bronze badges

asked Jun 15, 2013 at 16:48

editate's user avatar

1

self.labelText = 'change the value'

The above sentence makes labelText change the value, but not change depositLabel’s text.

To change depositLabel’s text, use one of following setences:

self.depositLabel['text'] = 'change the value'

OR

self.depositLabel.config(text='change the value')

Aka's user avatar

answered Jun 15, 2013 at 17:13

falsetru's user avatar

falsetrufalsetru

350k62 gold badges704 silver badges625 bronze badges

4

You can also define a textvariable when creating the Label, and change the textvariable to update the text in the label.
Here’s an example:

labelText = StringVar()
depositLabel = Label(self, textvariable=labelText)
depositLabel.grid()

def updateDepositLabel(txt) # you may have to use *args in some cases
    labelText.set(txt)

There’s no need to update the text in depositLabel manually. Tk does that for you.

Wolf's user avatar

Wolf

9,4847 gold badges62 silver badges105 bronze badges

answered Jan 30, 2016 at 1:05

psyFi's user avatar

psyFipsyFi

7397 silver badges21 bronze badges

2

Use the config method to change the value of the label:

top = Tk()

l = Label(top)
l.pack()

l.config(text = "Hello World", width = "50")

Aka's user avatar

answered Mar 25, 2016 at 17:18

Umang Suthar's user avatar

2

Here is another one, I think. Just for reference.
Let’s set a variable to be an instantance of class StringVar

If you program Tk using the Tcl language, you can ask the system to let you know when a variable is changed. The Tk toolkit can use this feature, called tracing, to update certain widgets when an associated variable is modified.

There’s no way to track changes to Python variables, but Tkinter
allows you to create variable wrappers that can be used wherever Tk
can use a traced Tcl variable.

text = StringVar()
self.depositLabel = Label(self.__mainWindow, text = self.labelText, textvariable = text)
#                                                                   ^^^^^^^^^^^^^^^^^^^
def depositCallBack(self,event):
    text.set('change the value')

Wolf's user avatar

Wolf

9,4847 gold badges62 silver badges105 bronze badges

answered Dec 11, 2013 at 13:09

Jake Yang's user avatar

1

I made a small tkinter application which is sets the label after button clicked

#!/usr/bin/env python
from Tkinter import *
from tkFileDialog import askopenfilename
from tkFileDialog import askdirectory


class Application:
    def __init__(self, master):
        frame = Frame(master,width=200,height=200)
        frame.pack()

        self.log_file_btn = Button(frame, text="Select Log File", command=self.selectLogFile,width=25).grid(row=0)
        self.image_folder_btn = Button(frame, text="Select Image Folder", command=self.selectImageFile,width=25).grid(row=1)
        self.quite_button = Button(frame, text="QUIT", fg="red", command=frame.quit,width=25).grid(row=5)

        self.logFilePath =StringVar()
        self.imageFilePath = StringVar()
        self.labelFolder = Label(frame,textvariable=self.logFilePath).grid(row=0,column=1)
        self.labelImageFile = Label(frame,textvariable = self.imageFilePath).grid(row = 1,column=1)

        def selectLogFile(self):
            filename = askopenfilename()
            self.logFilePath.set(filename)

        def selectImageFile(self):
            imageFolder = askdirectory()
            self.imageFilePath.set(imageFolder)

root = Tk()
root.title("Geo Tagging")
root.geometry("600x100")
app = Application(root)
root.mainloop()

answered Mar 18, 2016 at 13:38

Harun ERGUL's user avatar

Harun ERGULHarun ERGUL

5,6125 gold badges54 silver badges62 bronze badges

There are many ways to tackle a problem like this. There are many ways to do this. I’m going to give you the most simple solution to this question I know. When changing the text of a label or any kind of wiget really. I would do it like this.

Name_Of_Label["text"] = "Your New Text"

So when I apply this knowledge to your code. It would look something like this.

from tkinter import*

class MyGUI:
   def __init__(self):
    self.__mainWindow = Tk()
    #self.fram1 = Frame(self.__mainWindow)
    self.labelText = 'Enter amount to deposit'
    self.depositLabel = Label(self.__mainWindow, text = self.labelText)
    self.depositEntry = Entry(self.__mainWindow, width = 10)
    self.depositEntry.bind('<Return>', self.depositCallBack)
    self.depositLabel.pack()
    self.depositEntry.pack()

    mainloop()

  def depositCallBack(self,event):
    self.labelText["text"] = 'change the value'
    print(self.labelText)

myGUI = MyGUI()

If this helps please let me know!

answered Apr 30, 2019 at 2:37

Darren Samora's user avatar

Improve Article

Save Article

  • Read
  • Discuss
  • Improve Article

    Save Article

    Prerequisites: Introduction to tkinter

    Tkinter is a standard GUI (Graphical user interface) package for python. It provides a fast and easy way of creating a GUI application.

    To create a tkinter application:

    • Importing the module — tkinter
    • Create the main window (container)
    • Add any number of widgets to the main window.
    • Apply the event Trigger on the widgets.

    Widgets are the controlling tools for any GUI application. Here widget’s main role is to provide a good variety of control. Some widgets are buttons, labels, text boxes, and many more. 

    One of its widgets is the label, which is responsible for implementing a display box-section for text and images. Click here For knowing more about the Tkinter label widget.

    Now, let’ see how To change the text of the label:

    Method 1: Using Label.config() method.

    Syntax: Label.config(text)

    Parameter: text– The text to display in the label. 

    This method is used for performing an overwriting over label widget.

    Example:

    Python3

    from tkinter import *

    Main_window = Tk()

    my_text = "GeeksforGeeks updated !!!"

    def counter():

        global my_text

        my_label.config(text = my_text)

    my_button = Button(Main_window,

                       text = "Please update",

                       command = counter)

    my_label = Label(Main_window,

                     text = "geeksforgeeks")

    my_label.pack()

    my_button.pack()

    Main_window.mainloop()

     
     Output:

    Method 2: Using StringVar() class.

    Syntax: StringVar()

    Return: String variable object

     This class is used for setting the values and changing it according to the requirements. 

    Python3

    from tkinter import *

    Main_window = Tk()

    Main_window.geometry("220x100")

    def java():

        my_string_var.set("You must go with Java")

    def python():

        my_string_var.set("You must go with Python")

    btn_1 = Button(Main_window,

                   text = "I love Android",

                   command = java)

    btn_2 = Button(Main_window,

                   text = "I love Machine Learning",

                   command = python)

    my_string_var = StringVar()

    my_string_var.set("What should I learn")

    my_label = Label(Main_window,

                     textvariable = my_string_var)

    btn_1.pack()

    btn_2.pack()

    my_label.pack()

    Main_window.mainloop()

    I am having trouble with using a key binding to change the value of a label or any parameter.
    This is my code:

    from tkinter import*
    
    class MyGUI:
      def __init__(self):
        self.__mainWindow = Tk()
        #self.fram1 = Frame(self.__mainWindow)
        self.labelText = 'Enter amount to deposit'
        self.depositLabel = Label(self.__mainWindow, text = self.labelText)
        self.depositEntry = Entry(self.__mainWindow, width = 10)
        self.depositEntry.bind('<Return>', self.depositCallBack)
        self.depositLabel.pack()
        self.depositEntry.pack()
            
        mainloop()
        
      def depositCallBack(self,event):
        self.labelText = 'change the value'
        print(self.labelText)
        
    myGUI = MyGUI()
    

    When I run this, I click the entrybox and hit enter, hoping that the label will change value to ‘change the value’. However, while it does print that text, the label remains unchanged.

    From looking at other questions on similar problems and issues, I have figured how to work with some of this outside a class, but I’m having some difficulties with doing it inside a class.

    Karl Knechtel's user avatar

    Karl Knechtel

    60.7k11 gold badges93 silver badges140 bronze badges

    asked Jun 15, 2013 at 16:48

    editate's user avatar

    1

    self.labelText = 'change the value'
    

    The above sentence makes labelText change the value, but not change depositLabel’s text.

    To change depositLabel’s text, use one of following setences:

    self.depositLabel['text'] = 'change the value'
    

    OR

    self.depositLabel.config(text='change the value')
    

    Aka's user avatar

    answered Jun 15, 2013 at 17:13

    falsetru's user avatar

    falsetrufalsetru

    350k62 gold badges704 silver badges625 bronze badges

    4

    You can also define a textvariable when creating the Label, and change the textvariable to update the text in the label.
    Here’s an example:

    labelText = StringVar()
    depositLabel = Label(self, textvariable=labelText)
    depositLabel.grid()
    
    def updateDepositLabel(txt) # you may have to use *args in some cases
        labelText.set(txt)
    

    There’s no need to update the text in depositLabel manually. Tk does that for you.

    Wolf's user avatar

    Wolf

    9,4847 gold badges62 silver badges105 bronze badges

    answered Jan 30, 2016 at 1:05

    psyFi's user avatar

    psyFipsyFi

    7397 silver badges21 bronze badges

    2

    Use the config method to change the value of the label:

    top = Tk()
    
    l = Label(top)
    l.pack()
    
    l.config(text = "Hello World", width = "50")
    

    Aka's user avatar

    answered Mar 25, 2016 at 17:18

    Umang Suthar's user avatar

    2

    Here is another one, I think. Just for reference.
    Let’s set a variable to be an instantance of class StringVar

    If you program Tk using the Tcl language, you can ask the system to let you know when a variable is changed. The Tk toolkit can use this feature, called tracing, to update certain widgets when an associated variable is modified.

    There’s no way to track changes to Python variables, but Tkinter
    allows you to create variable wrappers that can be used wherever Tk
    can use a traced Tcl variable.

    text = StringVar()
    self.depositLabel = Label(self.__mainWindow, text = self.labelText, textvariable = text)
    #                                                                   ^^^^^^^^^^^^^^^^^^^
    def depositCallBack(self,event):
        text.set('change the value')
    

    Wolf's user avatar

    Wolf

    9,4847 gold badges62 silver badges105 bronze badges

    answered Dec 11, 2013 at 13:09

    Jake Yang's user avatar

    1

    I made a small tkinter application which is sets the label after button clicked

    #!/usr/bin/env python
    from Tkinter import *
    from tkFileDialog import askopenfilename
    from tkFileDialog import askdirectory
    
    
    class Application:
        def __init__(self, master):
            frame = Frame(master,width=200,height=200)
            frame.pack()
    
            self.log_file_btn = Button(frame, text="Select Log File", command=self.selectLogFile,width=25).grid(row=0)
            self.image_folder_btn = Button(frame, text="Select Image Folder", command=self.selectImageFile,width=25).grid(row=1)
            self.quite_button = Button(frame, text="QUIT", fg="red", command=frame.quit,width=25).grid(row=5)
    
            self.logFilePath =StringVar()
            self.imageFilePath = StringVar()
            self.labelFolder = Label(frame,textvariable=self.logFilePath).grid(row=0,column=1)
            self.labelImageFile = Label(frame,textvariable = self.imageFilePath).grid(row = 1,column=1)
    
            def selectLogFile(self):
                filename = askopenfilename()
                self.logFilePath.set(filename)
    
            def selectImageFile(self):
                imageFolder = askdirectory()
                self.imageFilePath.set(imageFolder)
    
    root = Tk()
    root.title("Geo Tagging")
    root.geometry("600x100")
    app = Application(root)
    root.mainloop()
    

    answered Mar 18, 2016 at 13:38

    Harun ERGUL's user avatar

    Harun ERGULHarun ERGUL

    5,6125 gold badges54 silver badges62 bronze badges

    There are many ways to tackle a problem like this. There are many ways to do this. I’m going to give you the most simple solution to this question I know. When changing the text of a label or any kind of wiget really. I would do it like this.

    Name_Of_Label["text"] = "Your New Text"
    

    So when I apply this knowledge to your code. It would look something like this.

    from tkinter import*
    
    class MyGUI:
       def __init__(self):
        self.__mainWindow = Tk()
        #self.fram1 = Frame(self.__mainWindow)
        self.labelText = 'Enter amount to deposit'
        self.depositLabel = Label(self.__mainWindow, text = self.labelText)
        self.depositEntry = Entry(self.__mainWindow, width = 10)
        self.depositEntry.bind('<Return>', self.depositCallBack)
        self.depositLabel.pack()
        self.depositEntry.pack()
    
        mainloop()
    
      def depositCallBack(self,event):
        self.labelText["text"] = 'change the value'
        print(self.labelText)
    
    myGUI = MyGUI()
    

    If this helps please let me know!

    answered Apr 30, 2019 at 2:37

    Darren Samora's user avatar

    I am having trouble with using a key binding to change the value of a label or any parameter.
    This is my code:

    from tkinter import*
    
    class MyGUI:
      def __init__(self):
        self.__mainWindow = Tk()
        #self.fram1 = Frame(self.__mainWindow)
        self.labelText = 'Enter amount to deposit'
        self.depositLabel = Label(self.__mainWindow, text = self.labelText)
        self.depositEntry = Entry(self.__mainWindow, width = 10)
        self.depositEntry.bind('<Return>', self.depositCallBack)
        self.depositLabel.pack()
        self.depositEntry.pack()
            
        mainloop()
        
      def depositCallBack(self,event):
        self.labelText = 'change the value'
        print(self.labelText)
        
    myGUI = MyGUI()
    

    When I run this, I click the entrybox and hit enter, hoping that the label will change value to ‘change the value’. However, while it does print that text, the label remains unchanged.

    From looking at other questions on similar problems and issues, I have figured how to work with some of this outside a class, but I’m having some difficulties with doing it inside a class.

    Karl Knechtel's user avatar

    Karl Knechtel

    60.7k11 gold badges93 silver badges140 bronze badges

    asked Jun 15, 2013 at 16:48

    editate's user avatar

    1

    self.labelText = 'change the value'
    

    The above sentence makes labelText change the value, but not change depositLabel’s text.

    To change depositLabel’s text, use one of following setences:

    self.depositLabel['text'] = 'change the value'
    

    OR

    self.depositLabel.config(text='change the value')
    

    Aka's user avatar

    answered Jun 15, 2013 at 17:13

    falsetru's user avatar

    falsetrufalsetru

    350k62 gold badges704 silver badges625 bronze badges

    4

    You can also define a textvariable when creating the Label, and change the textvariable to update the text in the label.
    Here’s an example:

    labelText = StringVar()
    depositLabel = Label(self, textvariable=labelText)
    depositLabel.grid()
    
    def updateDepositLabel(txt) # you may have to use *args in some cases
        labelText.set(txt)
    

    There’s no need to update the text in depositLabel manually. Tk does that for you.

    Wolf's user avatar

    Wolf

    9,4847 gold badges62 silver badges105 bronze badges

    answered Jan 30, 2016 at 1:05

    psyFi's user avatar

    psyFipsyFi

    7397 silver badges21 bronze badges

    2

    Use the config method to change the value of the label:

    top = Tk()
    
    l = Label(top)
    l.pack()
    
    l.config(text = "Hello World", width = "50")
    

    Aka's user avatar

    answered Mar 25, 2016 at 17:18

    Umang Suthar's user avatar

    2

    Here is another one, I think. Just for reference.
    Let’s set a variable to be an instantance of class StringVar

    If you program Tk using the Tcl language, you can ask the system to let you know when a variable is changed. The Tk toolkit can use this feature, called tracing, to update certain widgets when an associated variable is modified.

    There’s no way to track changes to Python variables, but Tkinter
    allows you to create variable wrappers that can be used wherever Tk
    can use a traced Tcl variable.

    text = StringVar()
    self.depositLabel = Label(self.__mainWindow, text = self.labelText, textvariable = text)
    #                                                                   ^^^^^^^^^^^^^^^^^^^
    def depositCallBack(self,event):
        text.set('change the value')
    

    Wolf's user avatar

    Wolf

    9,4847 gold badges62 silver badges105 bronze badges

    answered Dec 11, 2013 at 13:09

    Jake Yang's user avatar

    1

    I made a small tkinter application which is sets the label after button clicked

    #!/usr/bin/env python
    from Tkinter import *
    from tkFileDialog import askopenfilename
    from tkFileDialog import askdirectory
    
    
    class Application:
        def __init__(self, master):
            frame = Frame(master,width=200,height=200)
            frame.pack()
    
            self.log_file_btn = Button(frame, text="Select Log File", command=self.selectLogFile,width=25).grid(row=0)
            self.image_folder_btn = Button(frame, text="Select Image Folder", command=self.selectImageFile,width=25).grid(row=1)
            self.quite_button = Button(frame, text="QUIT", fg="red", command=frame.quit,width=25).grid(row=5)
    
            self.logFilePath =StringVar()
            self.imageFilePath = StringVar()
            self.labelFolder = Label(frame,textvariable=self.logFilePath).grid(row=0,column=1)
            self.labelImageFile = Label(frame,textvariable = self.imageFilePath).grid(row = 1,column=1)
    
            def selectLogFile(self):
                filename = askopenfilename()
                self.logFilePath.set(filename)
    
            def selectImageFile(self):
                imageFolder = askdirectory()
                self.imageFilePath.set(imageFolder)
    
    root = Tk()
    root.title("Geo Tagging")
    root.geometry("600x100")
    app = Application(root)
    root.mainloop()
    

    answered Mar 18, 2016 at 13:38

    Harun ERGUL's user avatar

    Harun ERGULHarun ERGUL

    5,6125 gold badges54 silver badges62 bronze badges

    There are many ways to tackle a problem like this. There are many ways to do this. I’m going to give you the most simple solution to this question I know. When changing the text of a label or any kind of wiget really. I would do it like this.

    Name_Of_Label["text"] = "Your New Text"
    

    So when I apply this knowledge to your code. It would look something like this.

    from tkinter import*
    
    class MyGUI:
       def __init__(self):
        self.__mainWindow = Tk()
        #self.fram1 = Frame(self.__mainWindow)
        self.labelText = 'Enter amount to deposit'
        self.depositLabel = Label(self.__mainWindow, text = self.labelText)
        self.depositEntry = Entry(self.__mainWindow, width = 10)
        self.depositEntry.bind('<Return>', self.depositCallBack)
        self.depositLabel.pack()
        self.depositEntry.pack()
    
        mainloop()
    
      def depositCallBack(self,event):
        self.labelText["text"] = 'change the value'
        print(self.labelText)
    
    myGUI = MyGUI()
    

    If this helps please let me know!

    answered Apr 30, 2019 at 2:37

    Darren Samora's user avatar

    1. Используйте Stringvar для изменения текста этикетки Tkinter
    2.  Метка text свойство для изменения текста метки

    Как изменить текст этикетки Tkinter

    В этом уроке мы расскажем, как изменить текст этикетки Tkinter, нажав на кнопку.

    Используйте Stringvar для изменения текста этикетки Tkinter

    StringVar — один из типов конструктора Tkinter для создания строковой переменной Tkinter.

    После того, как мы свяжем переменную StringVar с виджетами Tkinter, Tkinter обновит этот виджет, когда переменная будет изменена.

    import tkinter as tk
    
    class Test():
        def __init__(self):
            self.root = tk.Tk()
            self.text = tk.StringVar()
            self.text.set("Test")
            self.label = tk.Label(self.root, textvariable=self.text)
    
            self.button = tk.Button(self.root,
                                    text="Click to change text below",
                                    command=self.changeText)
            self.button.pack()
            self.label.pack()
            self.root.mainloop()
    
        def changeText(self):
            self.text.set("Text updated")        
    
    app=Test()
    

    Tkinter set Ярлык текст

    self.text = tk.StringVar()
    self.text.set("Test")
    

    Конструктор Tkinter не смог инициировать строковую переменную со строкой типа self.text = tk.StringVar().

    Надо вызвать метод set для установки значения StringVar, как self.text.set("Test").

    self.label = tk.Label(self.root, textvariable=self.text)
    

    Он связывает переменную StringVar self.text с виджетами меток self.label, устанавливая textvariable в качестве self.text. Инструментарий Tk начинает отслеживать изменения self.text и будет обновлять текст self.label, если self.text будет изменён.

     Метка text свойство для изменения текста метки

    Другим решением для изменения текста этикетки Tkinter является изменение свойства text этикетки.

    import tkinter as tk
    
    class Test():
        def __init__(self):
            self.root = tk.Tk()
            self.label = tk.Label(self.root, text="Text")
    
            self.button = tk.Button(self.root,
                                    text="Click to change text below",
                                    command=self.changeText)
            self.button.pack()
            self.label.pack()
            self.root.mainloop()
    
        def changeText(self):
            self.label['text'] = "Text updated"        
    
    app=Test()
    

    Текст метки может быть инициирован с помощью свойства text="Text", а также может быть обновлен путем присвоения нового значения ключу text объекта метки.

    Мы также можем изменить свойство text методом tk.Label.configure(), как показано ниже. Он работает так же, как и вышеприведенные коды.

    import tkinter as tk
    
    class Test():
        def __init__(self):
            self.root = tk.Tk()
            self.label = tk.Label(self.root, text="Text")
    
            self.button = tk.Button(self.root,
                                    text="Click to change text below",
                                    command=self.changeText)
            self.button.pack()
            self.label.pack()
            self.root.mainloop()
    
        def changeText(self):
            self.label.configure(text="Text Updated")        
    
    app=Test()
    

    Tkinter label widgets can display text or a picture on the screen. You can use only one typeface on a label. It is possible to have many lines of text. For instance, a label can include any text, and a window can have numerous labels (just like any widget can be displayed multiple times in a window).

    The label text attribute in Python Tkinter allows you to change/update the label text easily. Another technique to edit the Tkinter label text is to change the label’s text property. In this lesson, we’ll look at changing label text in Tkinter Python using more than one approach.

    Tkinter is a python module that provides a standard GUI (Graphical user interface). It allows you to quickly and easily create a graphical user interface (GUI) application.

    To make a tkinter application, follow these steps:

    • First import the module — tkinter
    • Make the primary window (container)
    • Add as many widgets as you want to the main window.
    • Apply the Trigger event to the widgets.

    Widgets are the command and control elements of any graphical user interface (GUI) application. The primary purpose of this widget is to provide a wide range of controls. Buttons, labels, text boxes, and many other widgets are examples. Importing tkinter is similar to importing any other Python package. The module’s name in Python 2.x is ‘Tkinter,’ but in Python 3.x, it is ‘tkinter.’

    When establishing a Python application with GUI, there are two primary approaches that the user must remember.

    Tk(screenName=None, baseName=None, className=’Tk’, useTk=1):

    Tkinter provides the method Tk(screenName=None, baseName=None, className=’Tk’, useTk=1) for creating a main window. You can replace the className with the desired name to change the window’s name. The following is the basic code used to generate the application’s primary window:

    where m is the main window object’s name

    When your application is ready to run, you call the mainloop() method. mainloop() is an infinite loop that runs the application, waits for an event and processes the event as long as the window is open.

    m.mainloop()
    
    import tkinter
    m = tkinter.Tk()
    '''
    It is the region where widgets are added.
    '''
    m.mainloop()

    Tkinter also provides access to the widgets’ geometric configuration, which you can use to organize widgets in parent windows. There are three types of geometry manager classes.

    • pack() method: It arranges the widgets into blocks before placing the widgets in the parent widget.
    • grid() method: Before placing the widgets in the parent widget, it organizes them in a grid (table-like structure).
    • The method place(): It arranges the widgets by placing them in the program’s specified locations.

    The label is one of its widgets, and it’s in charge of creating a display box area for text and graphics. Let’s first explore the Tkinter label widget.

    Python Tkinter – Label

    Python provides many alternatives for creating a graphical user interface (Graphical User Interface). Further, Tkinter is the most widely used GUI technique out of all the options. It’s a standard Python interface to the Python-supplied Tk GUI toolkit. Python with Tkinter is the quickest and most straightforward approach to constructing graphical user interfaces.

    Using widgets, creating a GUI with Tkinter is simple. Widgets, such as buttons and menus, are standard graphical user interface (GUI) elements. Now, let’s look at how to update the label’s text:

    The Label Widget

    Tkinter Label is a widget that allows you to create display boxes with text or graphics. The developer can change the text displayed by this widget at any moment. You can also use it to execute operations like underlining text and spanning text across numerous lines. It’s vital to remember that a label can only display text in one typeface at a time. To utilize a label, you have to tell it what to display (this can be text, a bitmap, or an image).

    The syntax is as follows:

    w = Label ( master, option, … )

    The master parameter represents the parent window.

    Parameters

    • master: This is the window’s parent.
    • Options: The format of the widget can be changed using various settings. The most commonly used options for this widget are listed below. These options can be used as comma-separated key-value pairs:

    The following are a few options:

    anchor: If the widget has more space than required for the text, this option is used to manage the alignment of the text. anchor=CENTER is the default, which centered the text in the available space.

    bg: This option changes the background color behind the label and indicator.

    height: This option is used to specify the new frame’s vertical dimension.

    width: The label’s width in characters (not pixels!). If this option is not selected, the label is scaled to fit its contents.

    bd: This option is used to control the size of the indicator’s border. Also, the default bd value is 2 pixels.

    font: If you’re using the text or textvariable options to show text in the label, the font option is used to select the typeface displayed in the text.

    cursor: When the mouse is moved over the label, it is used to designate which cursor should be displayed. The standard cursor is used by default.

    bitmap: It is used to set the bitmap to the provided graphical object so that the label can represent graphics rather than text.

    fg: Text and bitmap labels use the label clear. The operating system determines the default.
    It is the color that will appear at the place of the 1-bits in a bitmap if it is displayed.

    image: In the label widget, this option displays a static image.

    padx: This option adds extra spaces between the text on the label’s left and right sides. This option has a default value of 1.

    pady: This option adds extra space between the label’s top and bottom text. This option has a default value of 1.

    Justify: This option is used to specify how many lines of text should be aligned. Use the values LEFT, RIGHT, or CENTER. It’s worth noting that the anchor option is used to position the text within the widget. CENTER is the default setting for justify.

    relief: The appearance of a decorative border around the label is controlled by this option. FLAT is the default setting for this parameter.

    underline: This

    wraplength: Instead of having a single line for the label text, it can be split across multiple lines, each with the number of characters indicated in this option.

    from tkinter import *
    
    
    top = Tk()
    top.geometry("450x300")
    	
    # email's label
    user_email = Label(top, text = "Email").place(x = 40,	y = 60)
    	
    # the label for user_password
    user_password = Label(top,	text = "Password").place(x = 40, y = 100)
    	
    submit_button = Button(top,	text = "Submit").place(x = 40, y = 130)
    	There are number of options which are used to change the format of the widget.
    user_email_input_area = Entry(top,	width = 30).place(x = 110, y = 60)
    	
    user_password_entry_area = Entry(top, width = 30).place(x = 110, y = 100)
    	
    top.mainloop()
    

    Example: using a Label in Tkinter

    from tkinter import *
    root = Tk()
    w = Label(root, text='Codeunderscored.com!')
    w.pack()
    root.mainloop()

    Now, let’s look at how to update the label’s text:

    Using Label.config() method

    The syntax for Label.config() is as follows:

    Parameter: text– The text to display in the label.

    This method is used to do a label widget overwriting.

    Example:

    importing everything from tkinter
    from tkinter import *
    
    # creating the tkinter window
    Main_window = Tk()
    
    # variable
    my_text = "Codeunderscored updated !!!"
    
    # function define for
    # updating the my_label
    # widget content
    def counter():
    
    	# use global variable
    	global my_text
    	
    	# configure
    	my_label.config(text = my_text)
    
    # create a button widget and attached
    # with counter function
    my_button = Button(Main_window,
    				text = "Please update",
    				command = counter)
    
    # create a Label widget
    my_label = Label(Main_window, text = "Codeunderscored")
    
    # place the widgets
    # in the gui window
    my_label.pack()
    my_button.pack()
    
    # Start the GUI
    Main_window.mainloop()

    Using StringVar() class

    StringVar is a type of Tkinter constructor that creates a string variable in Tkinter. Tkinter will update this particular widget when the StringVar variable is adjusted when we pair it with the Tkinter widgets.

    The syntax for StringVar() is as follows:

    Return: String variable object

    This class is used to set and change values per the requirements.

    Example 1 : Using StringVar() class

    # importing everything from tkinter
    from tkinter import *
    
    # create gui window
    Main_window = Tk()
    
    # set the configuration
    # of the window
    Main_window.geometry("220x100")
    
    # define a function
    # for setting the new text
    def java():
    	my_string_var.set("You must go with Java")
    
    # define a function
    # for setting the new text
    def python():
    	my_string_var.set("You must go with Python")
    
    
    
    # create a Button widget and attached
    # with java function
    btn_1 = Button(Main_window,
    			text = "I love Android",
    			command = java)
    
    # create a Button widget and attached
    # with python function
    btn_2 = Button(Main_window,
    			text = "I love Machine Learning",
    			command = python)
    
    # create a StringVar class
    my_string_var = StringVar()
    
    # set the text
    my_string_var.set("What should I learn")
    
    # create a label widget
    my_label = Label(Main_window,
    				textvariable = my_string_var)
    
    
    # place widgets into
    # the gui window
    btn_1.pack()
    btn_2.pack()
    my_label.pack()
    
    # Start the GUI
    Main_window.mainloop()
    

    Example 2: Using StringVar() class

    import tkinter as tk
    
    class Test():
        def __init__(self):
            self.root = tk.Tk()
            self.text = tk.StringVar()
            self.text.set("Test")
            self.label = tk.Label(self.root, textvariable=self.text)
    
            self.button = tk.Button(self.root,
                                    text="Click to change text below",
                                    command=self.changeText)
            self.button.pack()
            self.label.pack()
            self.root.mainloop()
    
        def changeText(self):
            self.text.set("Text updated")        
    
    app=Test()
    
    
    self.text = tk.StringVar()
    self.text.set("Code Test")

    The string variable could not be started by the Tkinter constructor using the string.

    self.text = tk.StringVar()

    To set the StringVar value, we should use the set method, such as self.text.set (“Test”).

    self.label = tk.Label(self.root, textvariable=self.text)

    By setting textvariable to self.text associates the StringVar variable self.text with the label widget self.label. If self.text is changed, the Tk toolkit starts tracking the changes and updates the text self.label. A Tkinter dynamic label is created with the code above. When the self.text is changed, it immediately displays the Tkinter label text.

    Use the label text property to change/update the Python Tkinter Label Text

    Changing the label’s text property is another way to change the Tkinter label text.

    import tkinter as tk
    
    class Test():
        def __init__(self):
            self.root = tk.Tk()
            self.label = tk.Label(self.root, text="Text")
    
            self.button = tk.Button(self.root,
                                    text="Click to change text below",
                                    command=self.changeText)
            self.button.pack()
            self.label.pack()
            self.root.mainloop()
    
        def changeText(self):
            self.label['text'] = "Text updated"        
    
    app=Test()     

    The text of the label object can be started with text=”Text” and altered by setting a new value to the text key of the label object. We may alternatively use the tk.Label.configure() method to update the text property, as seen below. The above codes function in the same way.

    import tkinter as tk
    
    class Test():
        def __init__(self):
            self.root = tk.Tk()
            self.label = tk.Label(self.root, text="Text")
    
            self.button = tk.Button(self.root,
                                    text="Click to change text below",
                                    command=self.changeText)
            self.button.pack()
            self.label.pack()
            self.root.mainloop()
    
        def changeText(self):
            self.label.configure(text="Text Updated")        
    
    app=Test()      

    You can update the text of the label widget using a button and a function if you need to tweak or change it dynamically.

    # Import the required libraries
    from tkinter import *
    
    # Create an instance of tkinter frame or window
    tk_win = Tk()
    
    # Set the size of the tkinter window
    tk_win.geometry("700x350")
    
    # Define a function update the label text
    def on_click():
       label["text"] = "Code in Python"
       b["state"] = "disabled"
    
    # Create a label widget
    label = Label(tk_win, text="Code: Click the Button to update this Text",
    font=('Calibri 15 bold'))
    label.pack(pady=20)
    
    # Create a button to update the label widget
    b = Button(tk_win, text="Update Label", command=on_click)
    b.pack(pady=20)
    
    tk_win.mainloop()

    Output

    update the text of the label widget using a button and a function
    update the text of the label widget using a button and a function

    When you run the code above, a label text and a button will appear in the window. The label text will only be updated when you click the button.

    after clicking on "Update Label"
    after clicking on “Update Label”

    Example: font configuration

    Some Tk widgets, such as the label, text, and canvas widgets, allow you to choose the typefaces used to display text. A “font” configuration option is commonly used to accomplish this. It’s crucial to keep in mind that typefaces are a few areas that aren’t platform-independent. The attribute “fg” is used to modify the color of the text. On the other hand, the attribute “bg,” can be used to change the label’s background color.

    import tkinter as tk
    rt = tk.Tk()
    tk.Label(rt,
             text="Codeunderscored: Red Text in displayed in Times Font",
             fg = "red",
             font = "Times").pack()
    tk.Label(rt,
             text="Codeunderscored: Green Text in displayed in Helvetica Font",
             fg = "dark green",
             bg = "light green",
             font = "Helvetica 12 bold italic").pack()
    rt.mainloop()

    Conclusion

    Tkinter Label widgets are commonly used in applications to show text or images. Using the config(**options) method, we can change the label widget’s text property, color, background, and foreground colors. If you need to adjust or change the text of the label widget dynamically, you can use a button and a function to do so.

    Последнее обновление: 11.09.2022

    Виджет Label представляет текстовую метку. Этот элемент позволяет выводить статический текст без возможности редактирования.

    Для создания элемента Label применяется конструктор, который принимает два параметра:

    Label(master, options)

    Параметр master представляет ссылку на родительский контейнер, а параметр options представляет следующие именованные параметры

    • anchor: устанавливает позиционирование текста

    • background: фоновый цвет

    • borderwidth: толщина границы метки

    • cursor: курсор указателя мыши при наведении на метку

    • font: шрифт текста

    • foreground: цвет текста

    • height: высота виджета

    • image: ссылка на изображение, которое отображается на метке

    • justify: устанавливает выравнивание текста. Значение LEFT выравнивает текст по левому краю, CENTER — по центру,
      RIGHT — по правому краю

    • pading: отступы от границ вилжета до его текста

    • relief: определяет тип границы, по умолчанию значение FLAT

    • text: устанавливает текст метки

    • textvariable: устанавливает привязку к элементу StringVar

    • underline: указывает на номер символа в тексте кнопки, который подчеркивается. По умолчанию значение -1, то есть никакой символ не подчеркивается

    • width: ширина виджета

    • wraplength: при положительном значении строки текста будут переносится для вмещения в пространство виджета

    Выведем в окне приложения простейший текст:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("250x200")
    
    label = ttk.Label(text="Hello METANIT.COM")
    label.pack()
    
    root.mainloop()
    

    Label в tkinter и Python

    Установка шрифта

    Параметр font принимает определение шрифта в виде:

    font = ("имя шрифта", размер_шрифта)

    Первое значение передает имя шрифта в кавычках, а второе — числовой размер шрифта. Например, установим шрифт Arial высотой в 14 единиц:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("250x200")
    
    label = ttk.Label(text="Hello METANIT.COM", font=("Arial", 14))
    label.pack()
    
    root.mainloop()
    

    Шрифт текста в Label в tkinter и Python

    Установка изображения

    За установку изображения на метке отвечает параметр image. Самый простой способ определения изображения представляет
    создание объекта PhotoImage, в конструктор которого передается путь к изображению:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("250x200")
    
    python_logo = PhotoImage(file="./python_logo.png")
    
    label = ttk.Label(image=python_logo)
    label.pack()
    
    root.mainloop()
    

    В моем случае изображение представляет файл python_logo.png, которое находится в одной папке с файлом приложения и которое изображает логотип python:

    изображение в Label в tkinter и Python

    Если необходимо также отображать и текст, то для этого можно установить параметр compound, который определяет положение текста по отношению к изображению
    с помощью одного из следующих значений:

    • top: изображение поверх текста

    • bottom: изображение под текстом

    • left: изображение слева от текста

    • right: изображение справа от текста

    • none: при наличии изображения отображается только изображение

    • text: отображается только текст

    • image: отображается только изображение

    Например, отобразим картинку поверх текста:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("250x200")
    
    python_logo = PhotoImage(file="./python_logo.png")
    
    label = ttk.Label(image=python_logo, text="Python", compound="top")
    label.pack()
    
    root.mainloop()
    

    Картинка с текстов в label в tkinter в Python

    Стилизация

    По умолчанию метка не имеет границы. Для установки толщины границы используется параметр borderwidth, при этом нам также надо
    установить тип границы с помощью параметра releaf, который может принимать значения: «flat», «raised», «sunken», «ridge», «solid» и «groove»:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("250x200")
    
    
    label = ttk.Label(text="Hello Tkinter", borderwidth=2, relief="ridge", padding=8)
    label.pack(expand=True)
    
    root.mainloop()
    

    Установка цвета фона и текста:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("250x200")
    
    
    label = ttk.Label(text="Hello Tkinter", background="#FFCDD2", foreground="#B71C1C", padding=8)
    label.pack(expand=True)
    
    root.mainloop()
    

    стилизация label в tkinter и python

    Summary: in this tutorial, you’ll learn about Tkinter Label widget and how to use it to display a text or image on the screen.

    Introduction to Tkinter Label widget

    Tkinter Label widget is used to display a text or image on the screen. To use a Label widget, you use the following general syntax:

    label = ttk.Label(container, **options)

    Code language: Python (python)

    The Label widget has many options that allow you to customize its appearance:

    Options Meaning
    anchor When the text and/or image are smaller than the width, the anchor option determines where to position them tk.W, tk.CENTER or tk.E for left, center, and right alignment respectively.
    background Set the background color for the label
    borderwidth Add a border around the label.
    class_ Specify a custom widget class name for changing the label’s appearance.
    compound Specify how to display both text and image on the Label.
    cursor Specify the mouse cursor’s appearance when the mouse is over the widget.
    font Specify the font style for displaying text
    foreground Specify the color of the text
    image Specify an image or images to show in addition to text or instead of text.
    justify If the text contains newline characters, the justify option specifies how each line is positioned horizontally.
    The valid values are tk.LEFT (left-justify), tk.CENTER (center), and tk.RIGHT (right-justify).
    padding Add more space around the label.
    relief Use this option to create an effect for the Label .e.g, flat, raised, sunken, groove, and ridge.
    style Specify the custom widget style.
    takefocus is a boolean value that specifies whether the label is visited during focus traversal. It defaults to False which doesn’t get focus.
    text Specify a string of text to show in the widget
    textvariable A StringVar instance that holds the text value of the widget. It overrides the text option if both textvariable and text are available.
    underline Specify the position of the letter that should be underlined e.g, underline = 0 would underline the letter E in the text='Exit'
    width Specify the number of characters to show
    wraplength Chop the text into the lines which less than the length specified by the wraplength option.

    The following shows a skeleton program that we’ll use to illustrate various options of the Label widget:

    import tkinter as tk from tkinter import ttk root = tk.Tk() root.geometry('300x200') root.resizable(False, False) root.title('Label Widget Demo') # show the label here root.mainloop()

    Code language: Python (python)

    Displaying a regular label

    The following program shows how to display a regular label on the root window:

    import tkinter as tk from tkinter.ttk import Label root = tk.Tk() root.geometry('300x200') root.resizable(False, False) root.title('Label Widget Demo') # show a label label = Label(root, text='This is a label') label.pack(ipadx=10, ipady=10) root.mainloop()

    Code language: Python (python)

    Output:

    How it works.

    • First, import Label class from the tkinter.ttk module.
    • Second, create the root window and set its properties including size, resizeable, and title.
    • Third, create a new instance of the Label widget, set its container to the root window, and assign a literal string to its text property.

    Setting a specific font for the Label

    To set a particular font for a label, you pass the font keyword argument to the Label constructor like this:

    font = ('font name', font_size)

    Code language: Python (python)

    The font keyword argument is a tuple that contains font name and size. For example:

    font=("Helvetica", 14)

    Code language: Python (python)

    The following example shows a label with the Helvetica font:

    import tkinter as tk from tkinter import ttk root = tk.Tk() root.geometry('300x200') root.resizable(False, False) root.title('Label Widget Demo') # label with a specific font label = ttk.Label( root, text='A Label with the Helvetica font', font=("Helvetica", 14)) label.pack(ipadx=10, ipady=10) root.mainloop()

    Code language: Python (python)

    Output:

    Displaying an image

    To use a Label widget to display an image, you follow these steps:

    First, create a PhotoImage widget by passing the path to the photo to the PhotoImage constructor:

    photo = tk.PhotoImage(file='./assets/python.png')

    Code language: Python (python)

    Second, assign the PhotoImage object to the image option of the Label widget:

    Label(..., image=photo)

    Code language: Python (python)

    The following example shows how to use a Label widget to display an image:

    import tkinter as tk from tkinter import ttk # create the root window root = tk.Tk() root.geometry('300x200') root.resizable(False, False) root.title('Label Widget Image') # display an image label photo = tk.PhotoImage(file='./assets/python.png') image_label = ttk.Label( root, image=photo, padding=5 ) image_label.pack() root.mainloop()

    Code language: Python (python)

    Output:

    Note that the image file is located at the /assets/ folder.

    To display both text and image, you’ll use the text attribute and compound option.

    The compound option specifies the position of the image relative to the text. Its valid values are:

    Compound Effect
    'top' Display the image above the text.
    'bottom' Display the image below the text.
    'left' Display the image to the left of the text.
    'right' Display the image to the right of the text.
    'none' Display the image if there’s one, otherwise display the text. The compound option defaults to 'none'.
    'text' Display the text, not the image
    'image' Display the image, not the text.

    The following program shows how to display both text and image on a label:

    import tkinter as tk from tkinter import ttk # create the root window root = tk.Tk() root.geometry('300x200') root.resizable(False, False) root.title('Label Widget Image') # display an image label photo = tk.PhotoImage(file='./assets/python.png') image_label = ttk.Label( root, image=photo, text='Python', compound='top' ) image_label.pack() root.mainloop()

    Code language: PHP (php)

    Output:

    Summary

    • Use the Label widget to display a text or an image or both.

    Did you find this tutorial helpful ?

    Are you trying to learn Python GUI programming? Let us check out in detail the Python Tkinter label. How to use Label in Python Tkinter. We will cover all the topics as :

    • About Tkinter label
    • Tkinter label font size
    • Tkinter label position
    • Tkinter label border
    • Tkinter label transparent background
    • Tkinter label attributes
    • Tkinter label image
    • Tkinter label attributes
    • Tkinter label image
    • Tkinter label text-align left

    Let us see what is a Python Tkinter label?

    • The label simply means the text on the screen.
    • It could be an instruction or information.
    • Labels are the widely used widget & is a command in all the GUI supporting tools & languages.
    • Labels are also used to display images & icons.
    • Few popular label options are:
      • text: to display text
      • textvariable: specifies name who will replace text. Mostly used when text is changing.
      • underline: underlines just one character of the text string
      • width: adds addition width to label, takes a number as an argument.
      • image: to add an image or to style the label. It uses style.map()
      • compound: display images with text, also provide control to position them.

    Also, you may like, Python Tkinter Title.

    Tkinter label font size

    Let us see how to set font size in Python Tkinter label.

    • Font-size creates emphasis on user.
    • It makes things more clear & readable.
    • In label font size can be controlled using keyword font

    Syntax:

    In this syntax ws is the master that we are using, font-name could be any font supported by ms word like Arial, Times new roman, Calibri, etc. weight can be Bold, italic, underline.

    Label(ws, text="any text here", font=('font-name & weight', 'font-size')

    Code:

    from tkinter import *
    
    ws = Tk()
    
    Label(ws, text="Hello there!", font=("arial italic", 18) ).pack()
    
    ws.mainloop()

    Output:

    So in this output, you can see that the text “Hello there!” have size 18 and is italic. Similarly, you can put bold and underline.

    Python tkinter label
    Python tkinter label

    You may like, BMI Calculator Using Python Tkinter.

    Tkinter label position

    • The right placement of widgets can create a difference.
    • Label position can be controlled using pack, grid & place
    • refer to our geometry positioning section to know more about them

    Syntax:

    Label(ws, text="any text", font=(14, "roboto")).pack()
    Label(ws, text="any text", font=(14, "roboto")).grid(row=value, columns=value)
    Label(ws, text="any text", font=(14, "roboto")).place(x=coordinate_value, y=coordinate_value)

    Tkinter label border

    • The Python Tkinter Label border defines the type of border & its thickness.
    • There 6 types of borders each having their on property:
      • Flat
      • Raised
      • Sunken
      • ridge
      • solid
      • groove
    • By default flat is active.
    • borderwidth keyword is used to define the thickness of the border.
    • relief keyword is used to define the type of border.

    Syntax: borderwidth should be provided any integer value, relief should provide anyone out of these ( flat, raised, sunken, ridge, solid, groove).

    Label(ws, text="any text", borderwidth=value, relief="typeofborder").pack()

    Code:

    from tkinter import *
    
    ws = Tk()
    ws.title("Border")
    ws.geometry("300x400")
    
    Label(ws, text="Flat border", borderwidth=3, relief="flat", padx=5, pady=10).pack(padx=5, pady=10)
    Label(ws, text="raised border", borderwidth=3, relief="raised", padx=5, pady=10).pack(padx=5, pady=10)
    Label(ws, text="sunken border", borderwidth=3, relief="sunken", padx=5, pady=10).pack(padx=5, pady=10)
    Label(ws, text="ridge border", borderwidth=3, relief="ridge", padx=5, pady=10).pack(padx=5, pady=10)
    Label(ws, text="solid border", borderwidth=3, relief="solid", padx=5, pady=10).pack(padx=5, pady=10)
    Label(ws, text="groove border", borderwidth=3, relief="groove",padx=5, pady=10).pack(padx=5, pady=10)
    
    ws.mainloop()
    
    

    Output:

    In this output, all types of border are displayed, each have width of 3 pixels. padx & pady determines the extra space around the box.

    Python Label border width
    Tkinter label border

    Tkinter label transparent background

    • Transparent background means you can see through the frame.
    • only an image will appear the rest frame will be invisible.
    • make sure to take an image that does not have the background
    • to provide bg color to the image and assign the same color to wm_attributes command.
    • we tried in all colors but grey works best.

    Syntax:

    This colourname should be same as the image bg color. We tried with many colors but grey works best for this.

    ws.wm_attributes("-transparentcolor", 'colorname')
    

    Code:

    from tkinter import *
    
    ws = Tk()
    
    giant=PhotoImage(file='bg.png')
    Label(ws,image=giant,bg='grey').pack()
    ws.wm_attributes("-transparentcolor", 'grey')
    
    ws.mainloop()

    Output:

    In this output, picture of giant has been displayed with no background. You can see through the image frame.

    Python Label transparent background
    https://static.wikia.nocookie.net/clashofclans/images/3/35/Giant_info.png/revision/latest/scale-to-width-down/340?cb=20170927232347

    Tkinter label attributes

    • Attributes refer to features of the label
    • They are also called options that facilitate more functions
    • though we have discussed most of them in this blog.
    • but we are summarising all of them here.
    • Attributes are as following:
    1. colours:
    • colours plays an important role in software development.
    • Every colours has some meaning like red for error, green of correct, etc.
    • bg is used to fill background colour of the label
    • fg is used to change the text colour.
    • you can either provide a colour name or hex code

    Example:

    Label(ws, text="colors", bg="blue", fg="#000").pack()

    2. font :

    • fonts make text readable.
    • to know more about fonts
    • Please refer to our Tkinter label font size section

    Example:

    Label(ws, text="font demo", font=('arial bold', 18)).pack()

    3. relief:

    • relief is used to provide decoration to the border.
    • It has various options that can be used to emphasise text.
    • To know more about options check Tkinter label border section.

    Example:

    Label(ws, text="relief demo", borderwidth=3, relief='solid border').pack()

    4. cursor :

    • It used to change the cursor image when hovered over the label.
    • here is the list of all cursors that one can use
    • arrow, circle, clock, dotbox, exchange, fleur, heart man, mouse, pirate, pls, shuttle, sizing, spider, spraycan, star, target, tcross, trek, watch

    Example:

    Label(ws, text="cursor demo", cursor="watch").pack()

    5. Height & Width:

    • Height determines the vertical dimension of the label.
    • width determines the horizontal dimension of the label

    Example:

    Label(ws, text="Height & width", height=5, width=10).pack()

    6. padx & pady

    • padx adds empty space vertically
    • pady adds empty space horizontally
    • if they are used with in the label then they add extra space inside the box
    • if they are used in the positioning section (pack/grid/place) then add space outside the box.

    Example: Inside the box

    Label(ws, text="padding demo", padx=10, pady=5).pack()

    7. Justify:

    • Justify is used for alignment.
    • It works similar to anchor but has only three options
    • LEFT, CENTER, RIGHT
    • programmers prefer to use the anchor as it gives more control

    Example:

    Label(ws, text="padding demo", justify=CENTER).pack()

    8. anchor:

    • Anchor also provides controls for alignment.
    • to know more about it refer to our section Tkinter label text-alignment

    Example:

    Label(ws, text="padding demo").pack(anchor='w')

    So these were popular attributes for Label. Most of them work in other widgets as well as entry, button, etc. Now before we end this section, here is the program with attributes used in it. The controls are placed in a sequence for your convince. Do notice each and every attribute used. cursor one is my favorite

    Code:

    from tkinter import *
    
    ws = Tk()
    ws.title("pythonguides")
    ws.geometry('200x150')
    
    Label(ws, text='danger', bg='red', fg='red', font=('Arial bold', 14), relief='raised', cursor='pirate', height=4, width=10, padx=10, pady=10, justify=CENTER).pack(padx=10, pady=10, anchor='w')
    
    ws.mainloop()

    Output:

    This is a simple program created using all the attributes mentioned above. Few highlights, the cursor has transforming ability to the pirate icon, though it is pack() still it is in the corner because of anchor set to west, blue is bg & red text is fg. Text is justified to center, etc.

    Python Label attributes
    Tkinter label attributes

    Tkinter label image

    • Images make things interesting.
    • In this section we will learn how to put image in label
    • We will also learn to place text on image.

    Syntax:

    var-name = PhotoImage(file="path/of/image.extension")
    Label(ws, image=var-name).pack()
    

    Code:

    from tkinter import *
    
    ws = Tk()
    ws.title("giant image")
    
    giant = PhotoImage(file="bg.png")
    Label(ws, text="hi",image=giant).pack(side="top")
    intro = '''Hi! I am Giant from COC, I have been programmed to
    break walls & bones.''' 
    Label(ws, text=intro, anchor=S, font=('Arial bold', 14), underline=9).pack(side="bottom")
    
    ws.mainloop()

    Output:

    In this output, giant image has been placed, below the image there is a brief information about him. In the intro section G is underlined and for that we have used underline option in label.

    Tkinter label image
    Tkinter label image

    Tkinter label text-alignment

    • Alignment refers to the quick position of text direction wise.
    • direction-wise means:
      • N : North
      • S : South
      • E : East
      • W : West
      • NE : North East
      • NW : North West
      • SE : South East
      • SW : South West
      • CENTER
    • anchor keyword is used to position the label widget.

    Syntax: In place of direction provide any one out of these (SN, SE, W, NE, SE, SW, CENTER)

    Label(ws, text="sometext", anchor= direction).pack()

    Code:

    from tkinter import *
    
    ws = Tk()
    ws.title("Border")
    ws.geometry("50x100")
    
    Label(ws, text="Left", anchor=W).pack(fill='both')
    Label(ws, text="Right", anchor=E).pack(fill='both')
    
    ws.mainloop()
    
    
    

    Output:

    In this output, you can see that text has been aligned to left and right using anchor.

    Python Label text-alignment
    Python Label text-alignment

    You may like the following Python tutorials:

    • Increment and Decrement operators in Python
    • Python Anonymous Function (Lambda Function)
    • Python access modifiers + Examples
    • Python Read CSV File and Write CSV File
    • Python Array with Examples
    • Hash table in python
    • Block Indentation in Python
    • Python get filename from the path
    • Python TypeError: ‘list’ object is not callable
    • Python Tkinter Entry – How to use
    • Python Tkinter Button – How to use
    • Python Tkinter Menu bar – How to Use
    • Python Tkinter Checkbutton – How to use
    • Python Tkinter radiobutton – How to use
    • Python Tkinter Calculator
    • Python Tkinter Canvas Tutorial

    In this tutorial we have learned Python tkinter label.

    • What is the Tkinter label in Python
    • Tkinter label font size
    • Tkinter label position
    • Tkinter label border
    • Tkinter label transparent background
    • Tkinter label attributes
    • Tkinter label image
    • Tkinter label attributes
    • Tkinter label image
    • Tkinter label text-align left

    Bijay Kumar MVP

    Python is one of the most popular languages in the United States of America. I have been working with Python for a long time and I have expertise in working with various libraries on Tkinter, Pandas, NumPy, Turtle, Django, Matplotlib, Tensorflow, Scipy, Scikit-Learn, etc… I have experience in working with various clients in countries like United States, Canada, United Kingdom, Australia, New Zealand, etc. Check out my profile.

    Цитата
    Сообщение от Nikakula
    Посмотреть сообщение

    Версию не обновляю, ибо такая шла вместе с OS X и не хочется лезть туда,

    У меня тоже mac os, ничего сложного в установке новой версии python там нет. К тому же она встанет не за место старой, а рядом со старой, так что все нормально.

    Добавлено через 1 минуту

    Цитата
    Сообщение от Nikakula
    Посмотреть сообщение

    такой способ я находил и ничего не вышло

    Бред чистой воды, ахинея ахиней. Вот запусти МОЙ код и посмотри, что произойдет. Если у тебя не работает, то ошибку в студию и скрин с доказательством.

    Nikakula, и кстати тебе уже arctblake сказал правильную вещь, что так

    Цитата
    Сообщение от Nikakula
    Посмотреть сообщение

    lab = Label(root, textvariable = a).grid(row = 1, column = 1)

    не делают и почему так не делают, читай сообщение выше.

    Цитата
    Сообщение от Nikakula
    Посмотреть сообщение

    А почему не использовать импорт?

    1. Засоряется глобальное пространство имен (а это черевато тем, что могут быть перезаписаны какие-то твои переменные, системные переменные и т д)
    Вот пример (для справки dir выводит список объектов в текущей глобальной области видимости):

    Python
    1
    2
    3
    4
    5
    6
    
    >>> len(dir())  # как видишь при запуске всего определено 6 перменных
    6
    >>> from PyQt4.QtGui import *
    >>> from PyQt4.QtCore import *
    >>> len(dir())  # а теперь их стало уже целых 585 и это импортирована только 1 из используемых библиотек, в реальном проекте дальше их будет гораздо больше импортироваться
    585

    2. Код становится не очевидным и запутанным. Через некоторое время тебе надо будет прочесть свой код и разобраться, но это будет очень не тривиальная задача. Ты будешь смотреть какие функции вызываются ты не будешь знать из какой из библиотек они импортированы.
    3. Программа будет медленней работать из-за того, что поиск будет происходить очень долго (глобальная область видимости то засорена у нас)
    и т д т п
    В общем проблем это может вызвать тонну.

    Цитата
    Сообщение от Nikakula
    Посмотреть сообщение

    Так удобнее же, не писать постоянно Tkinter!?

    Если не хочешь писать постоянно название модуля, то импортируй только конкретно используемые имена функций, а не все все с помощью звездочки.

    Python
    1
    2
    3
    4
    5
    6
    7
    
    from Tkinter import Tk, Label
     
    root = Tk()
    lab = Label(root, text="привет")
    lab.grid(row=1, column=1)
    lab['text'] = 'абракадабра'
    root.mainloop()

    Понравилась статья? Поделить с друзьями:
  • Как изменить текст input type file
  • Как изменить текст на кнопке woocommerce
  • Как изменить текст input submit
  • Как изменить текст на кнопке tkinter
  • Как изменить текст на клавиатуре телефона самсунг