Search code examples
pythonpython-3.xtkintertkinter-text

how to get a value out of a class's init function python


I am working with tkinter's class-based structure and I need to get a value of text input. How do I do that?

Here is the relevant code:

#GUI
class PseudostreamWidget(tk.Frame):

    def __init__(self, master=None, **kw):
        tk.Frame.__init__(self, master, **kw)
        self.targetIP = tk.Entry(self.Ipconfig)
        self.targetIP.configure(background='black', font='{Lato} 12 {}', foreground='white', highlightbackground='black')
        self.targetIP.configure(highlightcolor='black', justify='left', relief='raised')
        _text_ = '''Friend's Public IP Here'''
        self.targetIP.delete('0', 'end')
        self.targetIP.insert('0', _text_)
        self.targetIP.grid(column='1', row='0')
        #
        #
        #
        target_ip = self.targetIP
        #
        # 

How do I get it to print target_ip outside the class?

if __name__ == '__main__':
    root = tk.Tk()  
    widget = PseudostreamWidget(root)
    widget.pack(expand=True, fill='both')
    root.mainloop()

print(target_ip)

Solution

  • Try this:

    import tkinter as tk
    
    
    class PseudostreamWidget(tk.Frame):
        def __init__(self, master=None, callback=None, **kwargs):
            super().__init__(master, **kwargs)
            self.targetIP = tk.Entry(self, fg="white", justify="left",
                                     relief="raised", highlightbackground="black",
                                     highlightcolor="black", bg="black",
                                     insertbackground="white", font=("Lato", 12))
            # self.targetIP.delete(0, "end") # No need for this
            self.targetIP.insert(0, "Friend's Public IP Here")
            self.targetIP.grid(column=1, row=0)
            self.targetIP.bind("<Return>", callback)
    
    
    def submit_data(event=None):
        print("You typed in:", widget.targetIP.get())
    
    root = tk.Tk()
    widget = PseudostreamWidget(root, callback=submit_data)
    widget.pack()
    root.mainloop()
    

    To use it just write something inside the entry and press the Enter key on your keyboard.

    It passes in a function (submit_data) and binds to it.