Как изменить текст виджета tkinter

I was wondering how to change the label text after clicking a button. For example: from Tkinter import * import tkMessageBox def onclick(): pass root = Tk() root.title("Pantai Hospital") ...

I was wondering how to change the label text after clicking a button. For example:

from Tkinter import *
import tkMessageBox

def onclick():
    pass

root = Tk()

root.title("Pantai Hospital")

L1 = Label(root, text='Welcome to Pantai Hospital!')
L1.pack() 
L2 = Label(root, text='Login')
L2.pack() 

L3 = Label(root, text = "Username:")
L3.pack( side = LEFT, padx = 5, pady = 10)
username = StringVar()
E1 = Entry(root, textvariable = username, width = 40)
E1.pack ( side = LEFT)

L4 = Label(root, text = "Password:")
L4.pack( side = LEFT, padx = 5, pady = 10)
password = StringVar() 
E2 = Entry(root, textvariable = password, show = "*", width = 40)    
E2.pack( side = LEFT)'`

I want to change those labels username and password and the entry field into another different label after clicking a button. How do I do that?

furas's user avatar

furas

132k12 gold badges102 silver badges146 bronze badges

asked Jan 9, 2016 at 5:05

Yeo Jin's user avatar

2

Answer for «how to do anything on pressing button» should be in any tutorial.
For example in effbot book: Button

Use command= to assign function name to button.

(btw: function name (or callback) means name without parenthesis and arguments)

btn = Button(root, text="OK", command=onclick)

Answer for «how to change label text» should be in any tutorial too.

lbl = Label(root, text="Old text")

# change text

lbl.config(text="New text")

# or

lbl["text"] = "New text"

If you want to change Entry into Label then remove/hide Entry (widget.pack_forget()) or destroy it (widget.destroy()) and create Label.

btw: you can disable Entry instead of making Label (ent.config(state='disabled'))


EDIT: I removed dot in lbl.["text"]

answered Jan 9, 2016 at 11:28

furas's user avatar

furasfuras

132k12 gold badges102 silver badges146 bronze badges

2

write lbl.pack() after you write the button.pack()
A small snippet of code to display change in value on clicking a button.
This is done so that the changes made in the label will be shown after you perform the button click.

    from tkinter import *

    root = Tk(className = "button_click_label")
    root.geometry("200x200")

    message = StringVar()
    message.set('hi')

    l1 = Label(root, text="hi")


    def press():
        l1.config(text="hello")

    b1 = Button(root, text = "clickhere", command = press).pack()

    l1.pack()

    root.mainloop()

Im just an entry level python programmer.
Forgive , and do correct me if I’m wrong!
Cheers!

answered Oct 20, 2017 at 7:14

Kishor K's user avatar

Another way to alter a label dynamically. here we use lambda to show multiple adjustments to a label display. if you want to go with one label change simply disregard lambda and call the function without a parameter (in this case the 1 and 2). remember to ensure you separate .pack method when creating a label for this use or you’ll get an error when the function attempts to config a line with the .pack method.

from tkinter import *  

root = Tk(className = "button_click_label")  
root.geometry("200x200")
  
def press(x):  
    if x == 1:  
        l1.config(text='hello')    
    else:    
        l1.config(text='hi')  

b1 = Button(root, text = "click me", command = lambda:press(1)).pack()  
b2 = Button(root, text = 'click me', command = lambda:press(2)).pack()

l1 = Label(root, text="waiting for click")  
l1.pack()

root.mainloop()

Ice Bear's user avatar

Ice Bear

2,0701 gold badge8 silver badges22 bronze badges

answered Jan 4, 2021 at 10:53

los_g's user avatar

los_glos_g

213 bronze badges

Here is an example where I created a basic gui with a label. Then I changed the label text.

import tkinter as tk
from tkinter import *
app = tk.Tk()
#creating a Label
label = Label(app,  text="unchanged")
label.pack()
#updating text 
label.config(text="changed")
app.mainloop()

Martin Evans's user avatar

Martin Evans

44.9k16 gold badges83 silver badges94 bronze badges

answered Nov 9, 2017 at 16:23

shanemarvinmay's user avatar

This should work:

from tkinter import *

root = Tk(className = "button_click_label")
root.geometry("200x200")

message = StringVar()
message.set('hi')

l1 = Label(root, text="hi")
l1.pack()

def press():
    l1.config(text="hello")

b1 = Button(root, text = "clickhere", command = press).pack()

root.mainloop()

colidyre's user avatar

colidyre

3,76112 gold badges36 silver badges48 bronze badges

answered Mar 20, 2020 at 21:52

Jelle Hendrikx'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()

    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()
    

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

    Добавление текста

    Для добавления текста применяется метод insert():

    insert(index, chars)

    Первый параметр представляет позицию вставки в формате «line.column» — сначала идет номер строки, а затем номер символа. Второй параметр — собственно вставляемый текст. Например, вставка в начало:

    editor.insert("1.0", "Hello")

    Для вставки в конец для позиции передается значение END:

    from tkinter import *
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("250x200")
    
    editor = Text()
    editor.pack(fill=BOTH, expand=1)
    
    editor.insert("1.0", "Hello World")     # вставка в начало
    editor.insert(END, "nBye World")       # вставка в конец
    root.mainloop()
    

    Добавление строк в виджет Test в tkinter и python

    Получение текста

    Для получения введенного текста применяется метод get():

    get(start, end)

    Параметр start указывает на начальный символ, а end — на конечный символ, текст между которыми надо получить. Оба параметра в формате «line.colunm», где line — номер строки, а «column» — номер символа. Для указания последнего символа применяется константа END:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("300x200") 
    
    editor = Text(height=5)
    editor.pack(anchor=N, fill=X)
    
    label=ttk.Label()
    label.pack(anchor=N, fill=BOTH)
    
    def get_text():
        label["text"] = editor.get("1.0", "end")
    
    button = ttk.Button(text="Click", command=get_text)
    button.pack(side=BOTTOM)
    
    root.mainloop()
    

    В данном случае по нажатию на кнопку срабатывает функция get_text(), которая получает текст и передается его для отображения в метку label:

    Получение введенного текста из виджета Test в tkinter и python

    Удаление текста

    Для удаления текста применяется метод delete()

    delete(start, end)

    Параметр start указывает на начальный символ, а end — на конечный символ, текст между которыми надо удалить. Оба параметра в формате «line.colunm», где line — номер строки, а «column» — номер символа. Для указания последнего символа применяется
    константа END. Например, определим кнопку, которая будет удалять весь текст из виджета:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("300x200") 
    
    editor = Text(height=10)
    editor.pack(anchor=N, fill=BOTH)
    
    
    def delete_text():
        editor.delete("1.0", END)
    
    button = ttk.Button(text="Clear", command=delete_text)
    button.pack(side=BOTTOM)
    
    root.mainloop()
    

    Замена текста

    Для замены текста применяется метод replace():

    replace(start, end, chars)

    Параметр start указывает на начальный символ, а end — на конечный символ, текст между которыми надо заменить. Оба параметра в формате «line.colunm», где line — номер строки, а «column» — номер символа. Для указания последнего символа применяется
    константа END. Последний параметр — chars — строка, на которую надо заменить. Например, замена первых четырех символов на строку «дама»:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("300x200") 
    
    editor = Text(height=10)
    editor.pack(anchor=N, fill=BOTH)
    editor.insert("1.0", "мама мыла раму")
    
    
    def edit_text():
        editor.replace("1.0", "1.4", "дама")
    
    button = ttk.Button(text="Replace", command=edit_text)
    button.pack(side=BOTTOM)
    
    root.mainloop()
    

    Замена текста в виджете Test в tkinter и python

    Повтор и отмена операций

    Методы edit_undo() и edit_redo() позволяют соответственно отменить и повторить операцию (добавление, изменение, удаление текста).
    Данные методы применяются, если в виджете Text параметр undo равен True. Стоит отметить, что данные методы оперируют своим стеком операций, в котором
    сохраняются данные операций. Однако если стек для соответствующего метода пуст, то вызов метода вызывает исключение. Простейший пример, где по нажатию на кнопку вызывается
    отмена или возврат операции:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("250x200") 
    root.grid_columnconfigure(0, weight = 1)
    root.grid_columnconfigure(1, weight = 1)
    root.grid_rowconfigure(0, weight = 1)
    
    editor = Text(undo=True)
    editor.grid(column = 0, columnspan=2, row = 0, sticky = NSEW)
    
    def undo():
        editor.edit_undo()
    
    def redo():
        editor.edit_redo()
    
    redo_button = ttk.Button(text="Undo", command=undo)
    redo_button.grid(column=0, row=1)
    clear_button = ttk.Button(text="Redo", command=redo)
    clear_button.grid(column=1, row=1)
    
    root.mainloop()
    

    Выделение текста

    Для управления выделением текста виджет Text обладает следующими методами:

    • selection_get(): возвращает выделенный фрагмент

    • selection_clear(): снимает выделение

    Применим данные методы:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("250x200") 
    
    
    def get_selection():
        label["text"]=editor.selection_get()
    
    
    def clear_selection():
        editor.selection_clear()
    
    editor = Text(height=5)
    editor.pack(fill=X)
    
    label = ttk.Label()
    label.pack(anchor=NW)
    
    get_button = ttk.Button(text="Get selection", command=get_selection)
    get_button.pack(side=LEFT)
    clear_button = ttk.Button(text="Clear", command=clear_selection)
    clear_button.pack(side=RIGHT)
    
    root.mainloop()
    

    В данном случае по нажатию на кнопку get_button срабатывает функция get_selection, которая передает в метку label выделенный текст. При нажатии на кнопку
    clear_button срабатывает функция clear_selection, которая снимает выделение.

    События

    Достаточно часто встречает необходимость обработки ввода текста. Для виджета Text определено событие <<Modified>>, которое срабатывает
    при изменении текста в текстовом поле. Однако оно срабатывает один раз. И в этом случае мы можем обработать стандартные события клавиатуры. Например, событие освобождения
    клавиши <KeyRelease>:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("250x200") 
    
    
    def on_modified(event):
        label["text"]=editor.get("1.0", END)
    
    editor = Text(height=8)
    editor.pack(fill=X)
    editor.bind("<KeyRelease>", on_modified)
    
    label = ttk.Label()
    label.pack(anchor=NW)
    
    root.mainloop()
    

    В данном случае при освобождении клавиши будет срабатывать функция on_modified, в которой метке label передается весь введенный текст:

    обработка ввода текста в Tkinter и Python

    Другую распространенную задачу представляет динамическое получение выделенного текста. В этом случае мы можем обработать событие <<Selection>>.
    Например, при выделении текста выведем выделенный фрагмент в метку Label:

    from tkinter import *
    from tkinter import ttk
    
    root = Tk()
    root.title("METANIT.COM")
    root.geometry("250x200") 
    
    
    def on_modified(event):
        label["text"]=editor.selection_get()
    
    editor = Text(height=8)
    editor.pack(fill=X)
    editor.bind("<<Selection>>", on_modified)
    
    label = ttk.Label()
    label.pack(anchor=NW)
    
    root.mainloop()
    

    обработка выделения текста в Tkinter и 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()
        #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

    В этом уроке мы узнаем, как разрабатывать графические пользовательские интерфейсы, с помощью разбора некоторых примеров графического интерфейса Python с использованием библиотеки Tkinter.

    Библиотека Tkinter установлена в Python в качестве стандартного модуля, поэтому нам не нужно устанавливать что-либо для его использования. Tkinter — очень мощная библиотека. Если вы уже установили Python, можете использовать IDLE, который является интегрированной IDE, поставляемой в Python, эта IDE написана с использованием Tkinter. Звучит круто!

    Мы будем использовать Python 3.7 поэтому, если вы все еще используете Python 2.x, настоятельно рекомендуем перейти на Python 3.x, если вы не в курсе нюансов изменения языка, с целью, чтобы вы могли настроить код для запуска без ошибок.

    Давайте предположим, что у вас уже есть базовые знания по Python, которые помогут понять что мы будем делать.
    Мы начнем с создания окна, в котором мы узнаем, как добавлять виджеты, такие, как кнопки, комбинированные поля и т. д. После этого поэкспериментируем со своими свойствами, поэтому предлагаю начать.

    Создание своего первого графического интерфейса

    Для начала, следует импортировать Tkinter и создать окно, в котором мы зададим его название:

    from tkinter import *
    
    
    window = Tk()
    window.title("Добро пожаловать в приложение PythonRu")
    window.mainloop()
    

    Результат будет выглядеть следующим образом:
    Обучение Python GUI (уроки по Tkinter)Прекрасно! Наше приложение работает.
    Последняя строка вызывает функцию mainloop. Эта функция вызывает бесконечный цикл окна, поэтому окно будет ждать любого взаимодействия с пользователем, пока не будет закрыто.

    В случае, если вы забудете вызвать функцию mainloop , для пользователя ничего не отобразится.

    Создание виджета Label

    Чтобы добавить текст в наш предыдущий пример, мы создадим lbl , с помощью класса Label, например:

    lbl = Label(window, text="Привет")
    

    Затем мы установим позицию в окне с помощью функции grid и укажем ее следующим образом:

    lbl.grid(column=0, row=0)
    

    Полный код, будет выглядеть следующим образом:

    from tkinter import *  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    lbl = Label(window, text="Привет")  
    lbl.grid(column=0, row=0)  
    window.mainloop()
    

    И вот как будет выглядеть результат:
    Обучение Python GUI (уроки по Tkinter)Если функция grid не будет вызвана, текст не будет отображаться.

    Настройка размера и шрифта текста

    Вы можете задать шрифт текста и размер. Также можно изменить стиль шрифта. Для этого передайте параметр font таким образом:

    lbl = Label(window, text="Привет", font=("Arial Bold", 50))
    

    Обучение Python GUI (уроки по Tkinter)Обратите внимание, что параметр font может быть передан любому виджету, для того, чтобы поменять его шрифт, он применяется не только к Label.

    Отлично, но стандартное окно слишком мало. Как насчет настройки размера окна?

    Настройка размеров окна приложения

    Мы можем установить размер окна по умолчанию, используя функцию geometry следующим образом:

    window.geometry('400x250')
    

    В приведенной выше строке устанавливается окно шириной до 400 пикселей и высотой до 250 пикселей.

    Попробуем добавить больше виджетов GUI, например, кнопки и посмотреть, как обрабатывается нажатие кнопок.

    Добавление виджета Button

    Начнем с добавления кнопки в окно. Кнопка создается и добавляется в окно так же, как и метка:

    btn = Button(window, text="Не нажимать!")
    btn.grid(column=1, row=0)
    

    Наш код будет выглядеть вот так:

    from tkinter import *  
      
    
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    lbl = Label(window, text="Привет", font=("Arial Bold", 50))  
    lbl.grid(column=0, row=0)  
    btn = Button(window, text="Не нажимать!")  
    btn.grid(column=1, row=0)  
    window.mainloop()
    

    Результат будет следующим:
    Обучение Python GUI (уроки по Tkinter)Обратите внимание, что мы помещаем кнопку во второй столбец окна, что равно 1. Если вы забудете и поместите кнопку в том же столбце, который равен 0, он покажет только кнопку.

    Изменение цвета текста и фона у Button

    Вы можете поменять цвет текста кнопки или любого другого виджета, используя свойство fg.
    Кроме того, вы можете поменять цвет фона любого виджета, используя свойство bg.

    btn = Button(window, text="Не нажимать!", bg="black", fg="red")
    

    Обучение Python GUI (уроки по Tkinter)Теперь, если вы попытаетесь щелкнуть по кнопке, ничего не произойдет, потому что событие нажатия кнопки еще не написано.

    Кнопка Click

    Для начала, мы запишем функцию, которую нужно выполнить при нажатии кнопки:

    def clicked():
        lbl.configure(text="Я же просил...")
    

    Затем мы подключим ее с помощью кнопки, указав следующую ​​функцию:

    btn = Button(window, text="Не нажимать!", command=clicked)
    

    Обратите внимание: мы пишем clicked, а не clicked()с круглыми скобками. Теперь полный код будет выглядеть так:

    from tkinter import *  
      
      
    def clicked():  
        lbl.configure(text="Я же просил...")  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    lbl = Label(window, text="Привет", font=("Arial Bold", 50))  
    lbl.grid(column=0, row=0)  
    btn = Button(window, text="Не нажимать!", command=clicked)  
    btn.grid(column=1, row=0)  
    window.mainloop()
    

    При нажатии на кнопку, результат, как и ожидалось, будет выглядеть следующим образом:
    Обучение Python GUI (уроки по Tkinter)Круто!

    Получение ввода с использованием класса Entry (текстовое поле Tkinter)

    В предыдущих примерах GUI Python мы ознакомились со способами добавления простых виджетов, а теперь попробуем получить пользовательский ввод, используя класс Tkinter Entry (текстовое поле Tkinter).
    Вы можете создать текстовое поле с помощью класса Tkinter Entry следующим образом:

    txt = Entry(window, width=10)
    

    Затем вы можете добавить его в окно, используя функцию grid.
    Наше окно будет выглядеть так:

    from tkinter import *  
      
      
    def clicked():  
        lbl.configure(text="Я же просил...")  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    lbl = Label(window, text="Привет")  
    lbl.grid(column=0, row=0)  
    txt = Entry(window,width=10)  
    txt.grid(column=1, row=0)  
    btn = Button(window, text="Не нажимать!", command=clicked)  
    btn.grid(column=2, row=0)  
    window.mainloop()
    

    Полученный результат будет выглядеть так:
    Обучение Python GUI (уроки по Tkinter)Теперь, если вы нажмете кнопку, она покажет то же самое старое сообщение, но что же будет с отображением введенного текста в виджет Entry?

    Во-первых, вы можете получить текст ввода, используя функцию get. Мы можем записать код для выбранной функции таким образом:

    def clicked():
        res = "Привет {}".format(txt.get())
        lbl.configure(text=res)
    

    Если вы нажмете на кнопку — появится текст «Привет » вместе с введенным текстом в виджете записи. Вот полный код:

    from tkinter import *  
      
      
    def clicked():  
        res = "Привет {}".format(txt.get())  
        lbl.configure(text=res)  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    lbl = Label(window, text="Привет")  
    lbl.grid(column=0, row=0)  
    txt = Entry(window,width=10)  
    txt.grid(column=1, row=0)  
    btn = Button(window, text="Клик!", command=clicked)  
    btn.grid(column=2, row=0)  
    window.mainloop()
    

    Запустите вышеуказанный код и проверьте результат:
    Обучение Python GUI (уроки по Tkinter)Прекрасно!

    Каждый раз, когда мы запускаем код, нам нужно нажать на виджет ввода, чтобы настроить фокус на ввод текста, но как насчет автоматической настройки фокуса?

    Установка фокуса виджета ввода

    Здесь все очень просто, ведь все, что нам нужно сделать, — это вызвать функцию focus:

    txt.focus()
    

    Когда вы запустите свой код, вы заметите, что виджет ввода в фокусе, который дает возможность сразу написать текст.

    Отключить виджет ввода

    Чтобы отключить виджет ввода, отключите свойство состояния:

    txt = Entry(window,width=10, state='disabled')
    

    Обучение Python GUI (уроки по Tkinter)Теперь вы не сможете ввести какой-либо текст.

    Добавление виджета Combobox

    Чтобы добавить виджет поля с выпадающем списком, используйте класс Combobox из ttk следующим образом:

    from tkinter.ttk import Combobox
    
    
    combo = Combobox(window)
    

    Затем добавьте свои значения в поле со списком.

    from tkinter import *  
    from tkinter.ttk import Combobox  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    combo = Combobox(window)  
    combo['values'] = (1, 2, 3, 4, 5, "Текст")  
    combo.current(1)  # установите вариант по умолчанию  
    combo.grid(column=0, row=0)  
    window.mainloop()
    

    Обучение Python GUI (уроки по Tkinter)Как видите с примера, мы добавляем элементы combobox, используя значения tuple.
    Чтобы установить выбранный элемент, вы можете передать индекс нужного элемента текущей функции.
    Чтобы получить элемент select, вы можете использовать функцию get вот таким образом:

    combo.get()
    

    Добавление виджета Checkbutton (чекбокса)

    С целью создания виджета checkbutton, используйте класс Checkbutton:

    from tkinter.ttk import Checkbutton
    
    
    chk = Checkbutton(window, text='Выбрать')
    

    Кроме того, вы можете задать значение по умолчанию, передав его в параметр var в Checkbutton:

    from tkinter import *  
    from tkinter.ttk import Checkbutton  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    chk_state = BooleanVar()  
    chk_state.set(True)  # задайте проверку состояния чекбокса  
    chk = Checkbutton(window, text='Выбрать', var=chk_state)  
    chk.grid(column=0, row=0)  
    window.mainloop()
    

    Посмотрите на результат:
    Обучение Python GUI (уроки по Tkinter)

    Установка состояния Checkbutton

    Здесь мы создаем переменную типа BooleanVar, которая не является стандартной переменной Python, это переменная Tkinter, затем передаем ее классу Checkbutton, чтобы установить состояние чекбокса как True в приведенном выше примере.

    Вы можете установить для BooleanVar значение false, что бы чекбокс не был отмечен.
    Так же, используйте IntVar вместо BooleanVar и установите значения 0 и 1.

    chk_state = IntVar()
    chk_state.set(0) # False
    chk_state.set(1) # True
    

    Эти примеры дают тот же результат, что и BooleanVar.

    Добавление виджетов Radio Button

    Чтобы добавить radio кнопки, используйте класс RadioButton:

    rad1 = Radiobutton(window,text='Первый', value=1)
    

    Обратите внимание, что вы должны установить value для каждой radio кнопки с уникальным значением, иначе они не будут работать.

    from tkinter import *  
    from tkinter.ttk import Radiobutton  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    rad1 = Radiobutton(window, text='Первый', value=1)  
    rad2 = Radiobutton(window, text='Второй', value=2)  
    rad3 = Radiobutton(window, text='Третий', value=3)  
    rad1.grid(column=0, row=0)  
    rad2.grid(column=1, row=0)  
    rad3.grid(column=2, row=0)  
    window.mainloop()
    

    Результатом вышеприведенного кода будет следующий:
    Обучение Python GUI (уроки по Tkinter)Кроме того, вы можете задать command любой из этих кнопок для определенной функции. Если пользователь нажимает на такую кнопку, она запустит код функции.
    Вот пример:

    rad1 = Radiobutton(window,text='Первая', value=1, command=clicked)
    
    def clicked():
        # Делайте, что нужно
    

    Достаточно легко!

    Получение значения Radio Button (Избранная Radio Button)

    Чтобы получить текущую выбранную radio кнопку или ее значение, вы можете передать параметр переменной и получить его значение.

    from tkinter import *  
    from tkinter.ttk import Radiobutton  
      
      
    def clicked():  
        lbl.configure(text=selected.get())  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    selected = IntVar()  
    rad1 = Radiobutton(window,text='Первый', value=1, variable=selected)  
    rad2 = Radiobutton(window,text='Второй', value=2, variable=selected)  
    rad3 = Radiobutton(window,text='Третий', value=3, variable=selected)  
    btn = Button(window, text="Клик", command=clicked)  
    lbl = Label(window)  
    rad1.grid(column=0, row=0)  
    rad2.grid(column=1, row=0)  
    rad3.grid(column=2, row=0)  
    btn.grid(column=3, row=0)  
    lbl.grid(column=0, row=1)  
    window.mainloop()
    

    Обучение Python GUI (уроки по Tkinter)Каждый раз, когда вы выбираете radio button, значение переменной будет изменено на значение кнопки.

    Добавление виджета ScrolledText (текстовая область Tkinter)

    Чтобы добавить виджет ScrolledText, используйте класс ScrolledText:

    from tkinter import scrolledtext
    
    
    txt = scrolledtext.ScrolledText(window,width=40,height=10)
    

    Здесь нужно указать ширину и высоту ScrolledText, иначе он заполнит все окно.

    from tkinter import *  
    from tkinter import scrolledtext  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    txt = scrolledtext.ScrolledText(window, width=40, height=10)  
    txt.grid(column=0, row=0)  
    window.mainloop()
    

    Результат:
    Обучение Python GUI (уроки по Tkinter)

    Настройка содержимого Scrolledtext

    Используйте метод insert, чтобы настроить содержимое Scrolledtext:

    txt.insert(INSERT, 'Текстовое поле')
    

    Удаление/Очистка содержимого Scrolledtext

    Чтобы очистить содержимое данного виджета, используйте метод delete:

    txt.delete(1.0, END)  # мы передали координаты очистки
    

    Отлично!

    Создание всплывающего окна с сообщением

    Чтобы показать всплывающее окно с помощью Tkinter, используйте messagebox следующим образом:

    from tkinter import messagebox
    
    
    messagebox.showinfo('Заголовок', 'Текст')
    

    Довольно легко! Давайте покажем окно сообщений при нажатии на кнопку пользователем.

    from tkinter import *  
    from tkinter import messagebox  
      
      
    def clicked():  
        messagebox.showinfo('Заголовок', 'Текст')  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    btn = Button(window, text='Клик', command=clicked)  
    btn.grid(column=0, row=0)  
    window.mainloop()
    

    Обучение Python GUI (уроки по Tkinter)Когда вы нажмете на кнопку, появится информационное окно.

    Показ сообщений о предупреждениях и ошибках

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

    messagebox.showwarning('Заголовок', 'Текст')  # показывает предупреждающее сообщение
    messagebox.showerror('Заголовок', 'Текст')  # показывает сообщение об ошибке
    

    Показ диалоговых окон с выбором варианта

    Чтобы показать пользователю сообщение “да/нет”, вы можете использовать одну из следующих функций messagebox:

    from tkinter import messagebox
    
    
    res = messagebox.askquestion('Заголовок', 'Текст')
    res = messagebox.askyesno('Заголовок', 'Текст')
    res = messagebox.askyesnocancel('Заголовок', 'Текст')
    res = messagebox.askokcancel('Заголовок', 'Текст')
    res = messagebox.askretrycancel('Заголовок', 'Текст')
    

    Вы можете выбрать соответствующий стиль сообщения согласно вашим потребностям. Просто замените строку функции showinfo на одну из предыдущих и запустите скрипт. Кроме того, можно проверить, какая кнопка нажата, используя переменную результата.

    Если вы кликнете OK, yes или retry, значение станет True, а если выберете no или cancel, значение будет False.
    Единственной функцией, которая возвращает одно из трех значений, является функция askyesnocancel; она возвращает True/False/None.

    Добавление SpinBox (Виджет спинбокс)

    Для создания виджета спинбокса, используйте класс Spinbox:

    spin = Spinbox(window, from_=0, to=100)
    

    Таким образом, мы создаем виджет Spinbox, и передаем параметры from и to, чтобы указать диапазон номеров.
    Кроме того, вы можете указать ширину виджета с помощью параметра width:

    spin = Spinbox(window, from_=0, to=100, width=5)
    

    Проверим пример полностью:

    from tkinter import *  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    spin = Spinbox(window, from_=0, to=100, width=5)  
    spin.grid(column=0, row=0)  
    window.mainloop()
    

    Обучение Python GUI (уроки по Tkinter)Вы можете указать числа для Spinbox, вместо использования всего диапазона следующим образом:

    spin = Spinbox(window, values=(3, 8, 11), width=5)
    

    Виджет покажет только эти 3 числа: 3, 8 и 11.

    Задать значение по умолчанию для Spinbox

    В случае, если вам нужно задать значение по умолчанию для Spinbox, вы можете передать значение параметру textvariable следующим образом:

    var = IntVar()
    var.set(36)
    spin = Spinbox(window, from_=0, to=100, width=5, textvariable=var)
    

    Теперь, если вы запустите программу, она покажет 36 как значение по умолчанию для Spinbox.

    Добавление виджета Progressbar

    Чтобы создать данный виджет, используйте класс progressbar :

    from tkinter.ttk import Progressbar
    
    
    bar = Progressbar(window, length=200)
    

    Установите значение progressbar таким образом:

    bar['value'] = 70
    

    Вы можете установить это значение на основе любого процесса или при выполнении задачи.

    Изменение цвета Progressbar

    Изменение цвета Progressbar немного сложно. Сначала нужно создать стиль и задать цвет фона, а затем настроить созданный стиль на Progressbar. Посмотрите следующий пример:

    from tkinter import *  
    from tkinter.ttk import Progressbar  
    from tkinter import ttk  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    style = ttk.Style()  
    style.theme_use('default')  
    style.configure("black.Horizontal.TProgressbar", background='black')  
    bar = Progressbar(window, length=200, style='black.Horizontal.TProgressbar')  
    bar['value'] = 70  
    bar.grid(column=0, row=0)  
    window.mainloop()
    

    И в результате вы получите следующее:
    Обучение Python GUI (уроки по Tkinter)

    Добавление поля загрузки файла

    Для добавления поля с файлом, используйте класс filedialog:

    from tkinter import filedialog
    
    
    file = filedialog.askopenfilename()
    

    После того, как вы выберете файл, нажмите “Открыть”; переменная файла будет содержать этот путь к файлу. Кроме того, вы можете запросить несколько файлов:

    files = filedialog.askopenfilenames()
    

    Указание типа файлов (расширение фильтра файлов)

    Возможность указания типа файлов доступна при использовании параметра filetypes, однако при этом важно указать расширение в tuples.

    file = filedialog.askopenfilename(filetypes = (("Text files","*.txt"),("all files","*.*")))
    

    Вы можете запросить каталог, используя метод askdirectory :

    dir = filedialog.askdirectory()
    

    Вы можете указать начальную директорию для диалогового окна файла, указав initialdir следующим образом:

    from os import path
    file = filedialog.askopenfilename(initialdir= path.dirname(__file__))
    

    Легко!

    Добавление панели меню

    Для добавления панели меню, используйте класс menu:

    from tkinter import Menu
    
    
    menu = Menu(window)
    menu.add_command(label='Файл')
    window.config(menu=menu)
    

    Сначала мы создаем меню, затем добавляем наш первый пункт подменю. Вы можете добавлять пункты меню в любое меню с помощью функции add_cascade() таким образом:

    menu.add_cascade(label='Автор', menu=new_item)
    

    Наш код будет выглядеть так:

    from tkinter import *  
    from tkinter import Menu  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    menu = Menu(window)  
    new_item = Menu(menu)  
    new_item.add_command(label='Новый')  
    menu.add_cascade(label='Файл', menu=new_item)  
    window.config(menu=menu)  
    window.mainloop()
    

    Обучение Python GUI (уроки по Tkinter)Таким образом, вы можете добавить столько пунктов меню, сколько захотите.

    from tkinter import *  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    menu = Menu(window)  
    new_item = Menu(menu)  
    new_item.add_command(label='Новый')  
    new_item.add_separator()  
    new_item.add_command(label='Изменить')  
    menu.add_cascade(label='Файл', menu=new_item)  
    window.config(menu=menu)  
    window.mainloop()
    

    Обучение Python GUI (уроки по Tkinter)Теперь мы добавляем еще один пункт меню “Изменить” с разделителем меню. Вы можете заметить пунктирную линию в начале, если вы нажмете на эту строку, она отобразит пункты меню в небольшом отдельном окне.

    Можно отключить эту функцию, с помощью tearoff подобным образом:

    new_item = Menu(menu, tearoff=0)
    

    Просто отредактируйте new_item, как в приведенном выше примере и он больше не будет отображать пунктирную линию.
    Вы так же можете ввести любой код, который работает, при нажатии пользователем на любой элемент меню, задавая свойство команды.

    new_item.add_command(label='Новый', command=clicked)
    

    Добавление виджета Notebook (Управление вкладкой)

    Для удобного управления вкладками реализуйте следующее:

    • Для начала, создается элемент управления вкладкой, с помощью класса Notebook .
    • Создайте вкладку, используя класс Frame.
    • Добавьте эту вкладку в элемент управления вкладками.
    • Запакуйте элемент управления вкладкой, чтобы он стал видимым в окне.
    from tkinter import *  
    from tkinter import ttk  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    tab_control = ttk.Notebook(window)  
    tab1 = ttk.Frame(tab_control)  
    tab_control.add(tab1, text='Первая')  
    tab_control.pack(expand=1, fill='both')  
    window.mainloop()
    

    Обучение Python GUI (уроки по Tkinter)Таким образом, вы можете добавлять столько вкладок, сколько нужно.

    Добавление виджетов на вкладку

    После создания вкладок вы можете поместить виджеты внутри этих вкладок, назначив родительское свойство нужной вкладке.

    from tkinter import *  
    from tkinter import ttk  
      
      
    window = Tk()  
    window.title("Добро пожаловать в приложение PythonRu")  
    window.geometry('400x250')  
    tab_control = ttk.Notebook(window)  
    tab1 = ttk.Frame(tab_control)  
    tab2 = ttk.Frame(tab_control)  
    tab_control.add(tab1, text='Первая')  
    tab_control.add(tab2, text='Вторая')  
    lbl1 = Label(tab1, text='Вкладка 1')  
    lbl1.grid(column=0, row=0)  
    lbl2 = Label(tab2, text='Вкладка 2')  
    lbl2.grid(column=0, row=0)  
    tab_control.pack(expand=1, fill='both')  
    window.mainloop()
    

    Обучение Python GUI (уроки по Tkinter)

    Добавление интервала для виджетов (Заполнение)

    Вы можете добавить отступы для элементов управления, чтобы они выглядели хорошо организованными с использованием свойств padx иpady.

    Передайте padx и pady любому виджету и задайте значение.

    lbl1 = Label(tab1, text= 'label1', padx=5, pady=5)
    

    Это очень просто!

    В этом уроке мы увидели много примеров GUI Python с использованием библиотеки Tkinter. Так же рассмотрели основные аспекты разработки графического интерфейса Python. Не стоит на этом останавливаться. Нет учебника или книги, которая может охватывать все детали. Надеюсь, эти примеры были полезными для вас.

    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.

    Виджет «Текст» используется для отображения текстовых данных в приложении Python. Однако Tkinter предоставляет нам виджет Entry, который используется для реализации однострочного текстового поля.

    Виджет Tkinter «Текст» в Python используется для отображения многострочного форматированного текста с различными стилями и атрибутами. Виджет «Текст» в основном используется для предоставления пользователю текстового редактора.

    Он также помогает нам использовать метки и вкладки для поиска определенных разделов текста. Мы также можем использовать окна и изображения с текстом, так как виджет  также можно применять для отображения форматированного текста.

    Синтаксис для использования текстового виджета приведен ниже.

    Синтаксис

     
    w = Text(top, options) 
    

    Список возможных опций, которые можно использовать с виджетом «Текст», приведен ниже.

    Вариант Описание
    1 bg Цвет фона виджета.
    2 bd Он представляет ширину границы виджета.
    3 cursor Указатель мыши изменится на указанный тип курсора, то есть стрелка, точка и т. д.
    4 exportselection Выделенный текст экспортируется в выделение в диспетчере окон. Мы можем установить это значение как 0, если мы не хотим, чтобы текст экспортировался.
    5 font Тип шрифта текста.
    6 fg Цвет текста виджета.
    7 height Вертикальный размер виджета в строках.
    8 highlightbackground Цвет выделения, когда виджет не в фокусе.
    9 highlightthickness Толщина фокуса блика. Значение по умолчанию – 1.
    10 highlighcolor Цвет выделения фокуса, когда виджет находится в фокусе.
    11 insertbackground Он представляет цвет курсора вставки.
    12 insertborderwidth Представляет ширину границы вокруг курсора. По умолчанию – 0.
    13 insertofftime Время в миллисекундах, в течение которого курсор вставки не активен.
    14 insertontime Время в миллисекундах, в течение которого курсор вставки находится в цикле мигания.
    15 insertwidth Он представляет ширину курсора вставки.
    16 Padx Горизонтальный отступ виджета.
    17 pady Вертикальный отступ виджета.
    18 relief Тип границы. По умолчанию – ЗАКРЫТО.
    19 selectbackground Цвет фона выделенного текста.
    20 selectborderwidth Ширина границы вокруг выделенного текста.
    21 spacing1 Он определяет количество вертикального пространства над каждой строкой текста. По умолчанию – 0.
    22 spacing2 Этот параметр указывает, сколько дополнительного вертикального пространства добавить между отображаемыми строками текста при переносе логической строки. По умолчанию – 0.
    23 spacing3 Он определяет количество вертикального пространства для вставки под каждой строкой текста.
    24 state Если для состояния установлено значение ОТКЛЮЧЕНО, виджет перестает реагировать на мышь и клавиатуру.
    25 tabs Этот параметр управляет тем, как символ табуляции используется для позиционирования текста.
    26 width Он представляет ширину виджета в символах.
    27 wrap Этот параметр используется для преобразования более широких линий в несколько строк. Установите для этого параметра значение СЛОВО, чтобы переносить строки после слова, которые помещаются в доступное пространство. Значение по умолчанию – CHAR, которое разрывает строку, которая становится слишком широкой для любого символа.
    28 xscrollcommand Чтобы сделать виджет Text горизонтально прокручиваемым, мы можем установить эту опцию для метода set() виджета Scrollbar.
    29 yscrollcommand Чтобы сделать виджет Text вертикально прокручиваемым, мы можем установить эту опцию для метода set() виджета Scrollbar.

    Методы

    Мы можем использовать следующие методы с виджетом Text.

    Метод Описание
    1 delete(startindex, endindex) Этот метод используется для удаления символов указанного диапазона.
    2 get(startindex, endindex) Он возвращает символы, присутствующие в указанном диапазоне.
    3 index(index) Он используется для получения абсолютного индекса указанного индекса.
    4 insert(index, string) Используется для вставки указанной строки по указанному индексу.
    5 see(index) Он возвращает логическое значение true или false в зависимости от того, виден ли текст по указанному индексу или нет.

    Методы обработки меток

    Метки используются для создания закладки в указанной позиции между символами связанного текста.

    Метод Описание
    1 index(mark) Используется для получения индекса указанной марки.
    2 mark_gravity(mark, gravity) Он используется для получения силы тяжести данной отметки.
    3 mark_names() Он используется для получения всех отметок, присутствующих в текстовом виджете.
    4 mark_set(mark, index) Он используется для сообщения новой позиции данной отметки.
    5 mark_unset(mark) Используется для удаления данной отметки с текста.

    Методы обработки тегов

    Теги – это имена, присвоенные отдельным областям текста. Теги используются для отдельной настройки различных областей текста. Список методов обработки тегов с описанием приведен ниже.

    Метод Описание
    1 tag_add(tagname, startindex, endindex) Этот метод используется для пометки строки, присутствующей в указанном диапазоне.
    2 tag_config Этот метод используется для настройки свойств тега.
    3 tag_delete(tagname) Используется для удаления данного тега.
    4 tag_remove(tagname, startindex, endindex) Используется для удаления тега из указанного диапазона.

    Пример

     
    from tkinter import * 
     
    top = Tk() 
    text = Text(top) 
    text.insert(INSERT, "Name.....") 
    text.insert(END, "Salary.....") 
     
    text.pack() 
     
    text.tag_add("Write Here", "1.0", "1.4") 
    text.tag_add("Click Here", "1.8", "1.13") 
     
    text.tag_config("Write Here", background="yellow", foreground="black") 
    text.tag_config("Click Here", background="black", foreground="white") 
     
    top.mainloop() 
    

    Вывод:

    Текст Python Tkinter

    Изучаю Python вместе с вами, читаю, собираю и записываю информацию опытных программистов.

    Понравилась статья? Поделить с друзьями:
  • Как изменить текст на сайте через код элемента навсегда
  • Как изменить текст на сайте через код элемента на телефоне
  • Как изменить текст на сайте через код элемента на андроиде
  • Как изменить текст бегущей строки через флешку
  • Как изменить текст на сайте через код страницы