Is it possible to grab input from the topview tkinter window and retrieve saved entry field value from within master tk window - python-3.x

The program is made up of classes and I am trying to use a tkinter topview from within a function so that when it's called it is able to retrieve the entryfield value to the master class
from tkinter import
from PIL import Image, ImageTk
Below is the driver code handling the transitioning from one class to another
class SeaofBTCapp(Tk):
def __init__(self, *args, **kwargs):
Tk.__init__(self, *args, **kwargs)
container = Frame(self)
container.pack(side="top", fill="both", expand=True)
container.grid_rowconfigure(0, weight=1)
container.grid_columnconfigure(0, weight=1)
self.frames = {}
for F in (
WelcomePage, Register_new_user): # ,PageThree,PageFour):
frame = F(container, self)
self.frames[F] = frame
frame.grid(row=0, column=0, sticky="nsew")
self.show_frame(WelcomePage)
# def show_frame(self, cont):
# frame = self.frames[cont]
# frame.tkraise()
def show_frame(self, cont):
frame = self.frames[cont]
frame.tkraise()
frame.update()
frame.event_generate("<<show_frame>>")
def get_page(self, cont):
for page in self.frames.values():
if str(page.__class__.__name__) == cont:
return page
return None
class Register_new_user(object):
pass
Below is the entry point of the program and is the first page to be displayed
class WelcomePage(Frame):
def __init__(self, parent, controller):
Frame.__init__(self, parent)
# self.bind("<<show_frame>>", self.main_prog)
def resize_image(event):
global photo
new_width = event.width
new_height = event.height
image = copy_of_image.resize((new_width, new_height))
photo = ImageTk.PhotoImage(image)
label.config(image=photo)
label.image = photo # avoid garbage collection
def pin_input():
top = Toplevel()
top.geometry("180x100")
top.title("toplevel")
l2 = Label(top, text="This is toplevel window")
global entry_1
global password
password = StringVar
entry_1 = None
def cleartxtfield():
global password
new = "3"
password.set(new)
# ############# Function to parse for only numerical input
def validate(input):
if input.isdigit():
return True
elif input == "":
return True
else:
return False
def enternumber(x):
global entry_1
setval = StringVar()
setval = str(x)
# print(setval)
entry_1.insert(END, setval)
entry_1 = Entry(top, textvariable=password, width=64, show='*')
entry_1.place(x=200, y=100)
entry_1.focus()
reg = top.register(validate)
entry_1.config(validate="key", validatecommand=(reg, '%P'))
def getcreds():
# check if four digit entered and is not empty
global passwd
passwd = password.get()
print(f"The Credentials are {passwd}")
def funcbackspace():
length = len(entry_1.get())
entry_1.delete(length - 1, 'end')
def killwindow():
# when the user quits it should clear all the data input fields filled in in the previous steps. and should display information that it is about to quit in a few seconds
command = top.destroy()
# Label(top,text="Goodbye\n (Closing in 2 seconds)")
top.after(2000, top.quit())
cancel = Button(top, width=8, height=3, text="Cancel", bg="red", fg="black", command=killwindow)
cancel.place(x=220, y=150)
backspace = Button(top, width=8, height=3, text="Backspace", bg="red", fg="black", command=funcbackspace)
backspace.place(x=500, y=150)
# ----number Buttons------
def enternumber(x):
global entry_1
setval = StringVar()
setval = str(x)
# print(setval)
entry_1.insert(END, setval)
btn_numbers = []
for i in range(10):
btn_numbers.append(
Button(top, width=8, height=3, text=str(i), bd=6, command=lambda x=i: enternumber(x)))
btn_text = 1
for i in range(0, 3):
for j in range(0, 3):
btn_numbers[btn_text].place(x=220 + j * 140, y=250 + i * 100)
btn_text += 1
btn_zero = Button(top, width=15, height=2, text='0', bd=5, command=lambda x=0: enternumber(x))
btn_zero.place(x=330, y=550)
clear = Button(top, text="Clear", bg="green", fg="white", width=8, height=3, command=cleartxtfield)
clear.place(x=220, y=550)
okbtn = Button(top, text="Enter", bg="green", fg="black", width=8, height=3, command=getcreds)
okbtn.place(x=500, y=550)
val = getcreds()
print("The value to be returned is %s" % val)
return val
password = pin_input()
print("Gotten password is %s" % password)
copy_of_image = Image.open("image.png")
photoimage = ImageTk.PhotoImage(copy_of_image)
label = Label(self, image=photoimage)
label.place(x=0, y=0, relwidth=1, relheight=1)
label.bind('<Configure>', resize_image)
top_left_frame = Frame(self, relief='groove', borderwidth=2)
top_left_frame.place(relx=1, rely=0.1, anchor=NE)
center_frame = Frame(self, relief='raised', borderwidth=2)
center_frame.place(relx=0.5, rely=0.75, anchor=CENTER)
Button(top_left_frame, text='REGISTER', bg='grey', width=14, height=1,
command=lambda: controller.show_frame(Register_new_user)).pack()
Button(center_frame, text='ENTER', fg='white', bg='green', width=13, height=2,
command=lambda: controller.show_frame(Register_new_user)).pack()
if __name__ == '__main__':
app = SeaofBTCapp()
app.title("Password return on topview window")
width = 1000
height = 700
screenwidth = app.winfo_screenwidth()
screenheight = app.winfo_screenheight()
alignstr = '%dx%d+%d+%d' % (width, height, (screenwidth - width) / 2, (screenheight - height) / 2)
app.geometry(alignstr)
# app.resizable(width=False, height=False)
app.resizable(width=True, height=True)
app.mainloop()

If I understand this correctly you want to enter a password in a dialog and then get the password from the dialog when you close it.
Have a look at Dialog Windows at effbot for a discussion about creating dialog windows.
Here is an example of how you can implement a simple dialog:
from tkinter import *
from tkinter import simpledialog
class MyDialog(simpledialog.Dialog):
def body(self, master):
'''create dialog body.
return widget that should have initial focus.
This method should be overridden, and is called
by the __init__ method.'''
Label(master, text='Value:').grid(row=0)
self.e1 = Entry(master)
self.e1.grid(row=0, column=1)
return self.e1 # initial focus
def apply(self):
'''process the data
This method is called automatically to process the data, *after*
the dialog is destroyed. By default, it does nothing.'''
value = self.e1.get()
self.result = value
def validate(self):
'''validate the data
This method is called automatically to validate the data before the
dialog is destroyed. By default, it always validates OK.'''
return 1 # override
def buttonbox(self):
'''add standard button box.
override if you do not want the standard buttons
'''
box = Frame(self)
w = Button(box, text="OK", width=10, command=self.ok, default='active')
w.pack(side='left', padx=5, pady=5)
w = Button(box, text="Cancel", width=10, command=self.cancel)
w.pack(side='left', padx=5, pady=5)
self.bind("<Return>", self.ok)
self.bind("<Escape>", self.cancel)
box.pack()
if __name__ == '__main__':
root = Tk()
root.geometry('200x100+800+50')
def do():
d = MyDialog(root)
print(d.result)
b = Button(root, text='Go!', width=10, command=do)
b.pack(expand=True)
Did that answer your question?

Related

How to raise the frame in multiple panned windows if user chooses option in one window that should be reflected in another panned window frame?

I am new to python need help in raising the frames in different panned window if user chooses option in another panned window frame, I will post the code please help me. I choosed combobox for my usecases whenever user chooses any of the usecase and click submit button. I want respective settings for those use cases to be as a frame in the container frame in SettingsUi panned Window frame. Please suggest me any solution.I tried raising frames by creating them as seperate class but facing issue and tried to create the frames with in that SettingUi by checking the combobox conditions and trying to give that function to the submit button in FmUi class.
import tkinter as tk
from tkinter import ttk
from tkinter.scrolledtext import ScrolledText
from tkinter import ttk, VERTICAL, HORIZONTAL, N, S, E, W
class UseCase1(tk.Frame):
def __init__(self,parent):
super().__init__(parent)
ttk.Label(self,text="UseCase1").pack()
# button = tk.Button(self, text="Go to the start page",
# command=lambda:show_frame("UseCase1")).pack()
self.pack()
class UseCase2(tk.Frame):
def __init__(self, parent):
# tk.Frame.__init__(self, parent)
super().__init__(parent)
ttk.Label(self,text="UseCase2").pack()
# label = tk.Label(self, text="This is page 1", font=controller.title_font)
# label.pack(side="top", fill="x", pady=10)
# button = tk.Button(self, text="Go to the start page")
# button.pack()
self.pack()
class UseCase3(tk.Frame):
def __init__(self, parent, controller):
tk.Frame.__init__(self, parent)
self.controller = controller
button = tk.Button(self, text="UseCase3")
button.pack()
class FmUi:
def __init__(self, frame):
# Create a combobbox to select the Usecase level
self.frame = frame
# self.switchframe()
# Create a combobbox to select the Usecase level
values = ['UseCase1', 'UseCase2', 'Usecase3', 'Usecase4', 'Usecase5']
self.level = tk.StringVar()
ttk.Label(self.frame, text='Level:').grid(column=0, row=0, sticky=W)
self.combobox = ttk.Combobox(
self.frame,
textvariable=self.level,
width=25,
state='readonly',
values=values
)
self.combobox.current(0)
self.combobox.grid(column=1, row=0, sticky=(W, E))
self.combobox.bind('<<ComboboxSelected>>', self.on_select)
# # Create a text field to enter a message
# self.message = tk.StringVar()
# ttk.Label(self.frame, text='Message:').grid(column=0, row=1, sticky=W)
# ttk.Entry(self.frame, textvariable=self.message, width=25).grid(column=1, row=1, sticky=(W, E))
self.button = ttk.Button(self.frame, text='Submit',command=SettingsUi.switch_frame(self.combobox.get()))
self.button.grid(column=1, row=1, sticky=W)
# self.frame.grid_columnconfigure(0, weight=1)
# self.frame.grid_rowconfigure(0, weight=1)
def on_select(self, event):
global SummaryText
SummaryText = self.combobox.get()
class SettingsUi(tk.Frame,FmUi):
def __init__(self, frame, *args, **kwargs):
tk.Frame.__init__(self,frame,*args, **kwargs)
self.frame = frame
self._frame = None
self.switch_frame(UseCase1)
def switch_frame(self, frame_class):
new_frame = frame_class(self)
if self._frame is not None:
self._frame.destroy()
self._frame = new_frame
self._frame.pack()
# container = tk.Frame(self)
# container.pack(side = "top", fill = "both", expand = True)
# container.grid_rowconfigure(0, weight = 1)
# container.grid_columnconfigure(0, weight = 1)
class OutputUi:
def __init__(self, frame):
self.frame = frame
self.scrolled_text = ScrolledText(frame, state='disabled', height=12)
self.scrolled_text.grid(row=0, column=0,sticky=(N, S, W, E))
self.scrolled_text.configure(font='TkFixedFont')
self.frame.grid_columnconfigure(0, weight=1)
self.frame.grid_rowconfigure(0, weight=1)
class App:
def __init__(self, root):
self.root = root
root.title('Automation')
self.menubar =tk.Menu(self.root)
# Adding File Menu and commands
# file = Menu(menubar, tearoff = 0)
# menubar.add_cascade(label ='UseCase', menu = UseCase)
# file.add_command(label ='', command = None)
# file.add_command(label ='', command = None)
# file.add_command(label ='Save', command = None)
# file.add_separator()
# file.add_command(label ='Exit', command = root.destroy)
# Adding Edit Menu and commands
self.Help =tk.Menu(self.menubar, tearoff = 0 , font = ("", 10))
self.menubar.add_cascade(label ='Help ', menu =self.Help, font = ("", 10))
self.Help.add_command(label ='Hotline ', command = None,font = ("", 10))
self.Help.add_command(label ='Documentation', command = None,font = ("", 10))
# edit.add_command(label ='Paste', command = None)
# edit.add_command(label ='Select All', command = None)
# edit.add_separator()
# edit.add_command(label ='Find...', command = None)
# edit.add_command(label ='Find again', command = None)
# Adding Help Menu
self.About=tk.Menu(self.menubar, tearoff = 0,font = ("", 10))
self.menubar.add_cascade(label ='About ', menu = self.About,font = ("", 10))
self.About.add_command(label ='About GUI', command = None,font = ("", 10))
self.About.add_command(label ='Demo', command = None,font = ("", 10))
# help_.add_separator()
# help_.add_command(label ='About Tk', command = None)
# display Menu
root.config(menu = self.menubar)
root.columnconfigure(0, weight=1)
root.rowconfigure(0, weight=1)
# Create the panes and frames
vertical_pane = ttk.PanedWindow(self.root, orient=VERTICAL)
vertical_pane.grid(row=0, column=0, sticky="nsew")
horizontal_pane = ttk.PanedWindow(vertical_pane, orient=HORIZONTAL)
vertical_pane.add(horizontal_pane)
form_frame = ttk.Labelframe(horizontal_pane, text="Options")
form_frame.columnconfigure(1, weight=1)
horizontal_pane.add(form_frame, weight=1)
console_frame = ttk.Labelframe(horizontal_pane, text="Configuration")
console_frame.columnconfigure(0, weight=1)
console_frame.rowconfigure(0, weight=1)
horizontal_pane.add(console_frame, weight=1)
third_frame = ttk.Labelframe(vertical_pane, text="Console")
vertical_pane.add(third_frame, weight=1)
# GR_frame=ttk.Frame(console_frame)
# EP_frame=ttk.Frame(console_frame)
# Initialize all frames
self.form = FmUi(form_frame)
self.console = SettingsUi(console_frame)
self.third = OutputUi(third_frame)
def quit(self, *args):
self.root.destroy()
def main():
root = tk.Tk()
app = App(root)
app.root.mainloop()
if __name__ == '__main__':
main()
error I am getting
File ~\Documents\SubmissionFolder\untitled29082047.py:168 in
main()
File ~\Documents\SubmissionFolder\untitled29082047.py:163 in main
app = App(root)
File ~\Documents\SubmissionFolder\untitled29082047.py:154 in init
self.form = FmUi(form_frame)
File ~\Documents\SubmissionFolder\untitled29082047.py:62 in init
self.button = ttk.Button(self.frame, text='Submit',command=SettingsUi.switch_frame(self.combobox.get()))
TypeError: switch_frame() missing 1 required positional argument: 'frame_class'

Multiprocessing not working with progress bar in tkinter

I'm attempting to get the progress bar to run while a method is running. The problem is when I set the method "generatePi" into the class it won't run simultaneously; however, when I set the method "generatePi" outside of the class it works.
The code with method in class that I can get to work is:
from tkinter import (Tk, BOTH, Text, E, W, S, N, END,
NORMAL, DISABLED, StringVar)
from tkinter.ttk import Frame, Label, Button, Progressbar, Entry
from tkinter import scrolledtext
from multiprocessing import Process, Manager, Queue
from queue import Empty
from decimal import Decimal, getcontext
DELAY1 = 80
DELAY2 = 20
q = Queue()
class Example(Frame):
def __init__(self, parent):
Frame.__init__(self, parent, name="frame")
self.parent = parent
self.initUI()
def initUI(self):
self.parent.title("Pi computation")
self.pack(fill=BOTH, expand=True)
self.grid_columnconfigure(4, weight=1)
self.grid_rowconfigure(3, weight=1)
lbl1 = Label(self, text="Digits:")
lbl1.grid(row=0, column=0, sticky=E, padx=10, pady=10)
self.ent1 = Entry(self, width=10)
self.ent1.insert(END, "4000")
self.ent1.grid(row=0, column=1, sticky=W)
lbl2 = Label(self, text="Accuracy:")
lbl2.grid(row=0, column=2, sticky=E, padx=10, pady=10)
self.ent2 = Entry(self, width=10)
self.ent2.insert(END, "100")
self.ent2.grid(row=0, column=3, sticky=W)
self.startBtn = Button(self, text="Start",
command=self.onStart)
self.startBtn.grid(row=1, column=0, padx=10, pady=5, sticky=W)
self.pbar = Progressbar(self, mode='indeterminate')
self.pbar.grid(row=1, column=1, columnspan=3, sticky=W+E)
self.txt = scrolledtext.ScrolledText(self)
self.txt.grid(row=2, column=0, rowspan=4, padx=10, pady=5,
columnspan=5, sticky=E+W+S+N)
def onStart(self):
self.startBtn.config(state=DISABLED)
self.txt.delete("1.0", END)
digits = int(self.ent1.get())
accuracy = int(self.ent2.get())
self.p1 = Process(target=generatePi(q, digits, accuracy), args=())
self.p1.start()
self.pbar.start(DELAY2)
self.after(DELAY1, self.onGetValue)
def onGetValue(self):
if (self.p1.is_alive()):
self.after(DELAY1, self.onGetValue)
return
else:
try:
self.txt.insert('end', q.get(0))
self.txt.insert('end', "\n")
self.pbar.stop()
self.startBtn.config(state=NORMAL)
except Empty:
print("queue is empty")
def generatePi(q, digs, acc):
getcontext().prec = digs
pi = Decimal(0)
k = 0
n = acc
while k < n:
pi += (Decimal(1)/(16**k))*((Decimal(4)/(8*k+1)) - \
(Decimal(2)/(8*k+4)) - (Decimal(1)/(8*k+5))- \
(Decimal(1)/(8*k+6)))
k += 1
q.put(pi)
def main():
root = Tk()
root.geometry("400x350+300+300")
app = Example(root)
root.mainloop()
if __name__ == '__main__':
main()
The code with method outside class that I am unable to get to work:
from tkinter import (Tk, BOTH, Text, E, W, S, N, END,
NORMAL, DISABLED, StringVar)
from tkinter.ttk import Frame, Label, Button, Progressbar, Entry
from tkinter import scrolledtext
from multiprocessing import Process, Manager, Queue
from queue import Empty
from decimal import Decimal, getcontext
DELAY1 = 80
DELAY2 = 20
q = Queue()
class Example(Frame):
def __init__(self, parent):
Frame.__init__(self, parent, name="frame")
self.parent = parent
self.initUI()
def initUI(self):
self.parent.title("Pi computation")
self.pack(fill=BOTH, expand=True)
self.grid_columnconfigure(4, weight=1)
self.grid_rowconfigure(3, weight=1)
lbl1 = Label(self, text="Digits:")
lbl1.grid(row=0, column=0, sticky=E, padx=10, pady=10)
self.ent1 = Entry(self, width=10)
self.ent1.insert(END, "4000")
self.ent1.grid(row=0, column=1, sticky=W)
lbl2 = Label(self, text="Accuracy:")
lbl2.grid(row=0, column=2, sticky=E, padx=10, pady=10)
self.ent2 = Entry(self, width=10)
self.ent2.insert(END, "100")
self.ent2.grid(row=0, column=3, sticky=W)
self.startBtn = Button(self, text="Start",
command=self.onStart)
self.startBtn.grid(row=1, column=0, padx=10, pady=5, sticky=W)
self.pbar = Progressbar(self, mode='indeterminate')
self.pbar.grid(row=1, column=1, columnspan=3, sticky=W+E)
self.txt = scrolledtext.ScrolledText(self)
self.txt.grid(row=2, column=0, rowspan=4, padx=10, pady=5,
columnspan=5, sticky=E+W+S+N)
def onStart(self):
self.startBtn.config(state=DISABLED)
self.txt.delete("1.0", END)
digits = int(self.ent1.get())
accuracy = int(self.ent2.get())
self.p1 = Process(target=self.generatePi(q, digits, accuracy), args=())
self.p1.start()
self.pbar.start(DELAY2)
self.after(DELAY1, self.onGetValue)
def onGetValue(self):
if (self.p1.is_alive()):
self.after(DELAY1, self.onGetValue)
return
else:
try:
self.txt.insert('end', q.get(0))
self.txt.insert('end', "\n")
self.pbar.stop()
self.startBtn.config(state=NORMAL)
except Empty:
print("queue is empty")
def generatePi(self, q, digs, acc):
getcontext().prec = digs
pi = Decimal(0)
k = 0
n = acc
while k < n:
pi += (Decimal(1)/(16**k))*((Decimal(4)/(8*k+1)) - \
(Decimal(2)/(8*k+4)) - (Decimal(1)/(8*k+5))- \
(Decimal(1)/(8*k+6)))
k += 1
q.put(pi)
def main():
root = Tk()
root.geometry("400x350+300+300")
app = Example(root)
root.mainloop()
if __name__ == '__main__':
main()
With the change in code being:
self.p1 = Process(target=generatePi(q, digits, accuracy), args=())
To:
self.p1 = Process(target=self.generatePi(q, digits, accuracy), args=())
I got same problem when I try it I find windows system seems react late but in terminal it's actually running

Change Entry widget value from other function

I am quite new in programming with tkinter , especially with classes. How can I make a button that runs function from the same class and changes entry widget. In my code i want to change entry1 whenever button1 is clicked and filepath function runs.
thank you for your help.
Class Example(Frame):
def __init__(self):
super().__init__()
self.initUI()
def filepath():
filename = fd.askopenfilename()
entry1.delete(0,END)
entry1.insert(0,filename)
def initUI(self):
self.master.title("EFEKTYWNOŚĆ APP")
self.pack(fill=BOTH, expand=True)
cd = (os.getcwd())
frame1 = Frame(self)
frame1.pack(side = LEFT)
lbl1 = Label(frame1,
text="...",
wraplength = 250 )
lbl1.pack(side=LEFT, padx=5, pady=5)
path = os.path.join(cd, 'ico', '...')
photo = PhotoImage(file = path)
cphoto = photo.subsample(4,4)
button1 = Button(frame1,
text='WYBIERZ PLIK',
image = cphoto,
compound = LEFT,
command = Example.filepath)
button1.image = cphoto
button1.pack(side=LEFT, fill = Y, padx=5, pady=5)
entry1 = Entry(frame1)
entry1.pack(side=LEFT, fill = Y, padx=5, pady=5)
There are some minor things needed to be fixed in your code. I have added a working sample with comments below.
from tkinter import *
from tkinter import filedialog as fd
import os
class Example(Frame):
def __init__(self, master,**kwargs): #have your Frame accept parameters like how a normal frame should
super().__init__(master,**kwargs)
self.master = master #set master as an attribute so you can access it later
self.initUI()
def filepath(self): #add self to make the method an instance method
filename = fd.askopenfilename()
self.entry1.delete(0, END) #use self when referring to an instance attribute
self.entry1.insert(0, filename)
def initUI(self):
self.master.title("EFEKTYWNOŚĆ APP")
self.pack(fill=BOTH, expand=True)
cd = (os.getcwd())
frame1 = Frame(self)
frame1.pack(side=LEFT)
lbl1 = Label(frame1,
text="...",
wraplength=250)
lbl1.pack(side=LEFT, padx=5, pady=5)
path = os.path.join(cd, 'ico', '...')
photo = PhotoImage(file=path)
cphoto = photo.subsample(4, 4)
button1 = Button(frame1,
text='WYBIERZ PLIK',
image=cphoto,
compound=LEFT,
command=self.filepath) #refer to instance methods by self.your_method
button1.pack(side=LEFT, fill=Y, padx=5, pady=5)
self.entry1 = Entry(frame1) #add self to make it an instance attribute
self.entry1.pack(side=LEFT, fill=Y, padx=5, pady=5) #you will then need to use self.entry1 within your class instance
root = Tk()
Example(root)
root.mainloop()

Why can I not get the value of tkinter variables?

I am trying to add a configuration window in my coupled oscillator simulation. But when I want to get the value of tkinter variables to set up the system, I only get ''.
I tried to change the type from tk.DoubleVar() to tk.StringVar() but nothing seems to works...
Here the code for the configuration frame for one object. Then I create two of them and add them to the configuration frame.
import tkinter as tk
class MassConfig(tk.Frame):
def __init__(self, root, **kwargs):
tk.Frame.__init__(self, root, kwargs)
self.grid()
# Variables :
self.weight = tk.StringVar()
self.vitesse = tk.StringVar()
self.position = tk.StringVar()
self.lbl_weight = tk.Label(self, text='Masse :')
self.lbl_weight.grid(row=0, column=0)
self.entry_weight = tk.Entry(self, textvariable=self.weight, width=5)
self.entry_weight.grid(row=0, column=1)
self.lbl_vit = tk.Label(self, text='Vitesse :')
self.lbl_vit.grid(row=1, column=0, pady=5)
self.entry_vit = tk.Entry(self, textvariable=self.vitesse, width=5)
self.entry_vit.grid(row=1, column=1)
self.lbl_pos = tk.Label(self, text='Position :')
self.lbl_pos.grid(row=2, column=0)
self.entry_pos = tk.Entry(self, textvariable=self.position, width=5)
self.entry_pos.grid(row=2, column=1)
Here the code of the configuration frame, which has two 'MassConfig' frame inside.
import tkinter as tk
from gui.masse_config import MassConfig
class Configuration(tk.Frame):
def __init__(self, root, **kwargs):
tk.Frame.__init__(self, root, **kwargs)
self.root = root
self.grid()
self.update()
self.is_alive = True
self.data = {}
self.m1_frame = tk.LabelFrame(self, text='Masse 1', width=200, height=200)
self.m1_frame.grid(column=0, row=0, padx=(10, 5), pady=(10, 10))
self.m2_frame = tk.LabelFrame(self, text='Masse 2', width=200, height=200)
self.m2_frame.grid(column=1, row=0, padx=(5, 10), pady=(10, 10))
self.config_1 = MassConfig(self.m1_frame)
self.config_2 = MassConfig(self.m2_frame)
self.config_1.grid(padx=10, pady=10)
self.config_2.grid(padx=10, pady=10)
self.btn_validation = tk.Button(self, text='Valider', command=self.validation)
self.btn_validation.grid(row=3, column=1, padx=10, pady=(0, 10), sticky=tk.E)
self.update()
def validation(self):
print(":", self.config_1.position.get())
self.data['Mass 1'] = {}
self.data['Mass 1']['Position'] = self.config_1.position.get()
self.data['Mass 1']['Vitesse'] = self.config_1.vitesse.get()
self.data['Mass 1']['Masse'] = self.config_1.weight.get()
self.data['Mass 2'] = {}
self.data['Mass 2']['Position'] = self.config_2.position.get()
self.data['Mass 2']['Vitesse'] = self.config_2.vitesse.get()
self.data['Mass 2']['Masse'] = self.config_2.weight.get()
self.is_alive = False
self.root.destroy()
I want to have the value of the tkinter variables self.weight, self.vitesse and self.position from the MassConfig class in a dictionary (self.data from Configuration class). But nothing come out, except ''.

How to really destroy a Frame so it disappears

I have a little program that does a search in a database and shows the results. My plan is to have the results show up in a suitably-sized frame in the same window where the search parameters were placed.
Since I want to replace the results for each new query, I have a results_owner frame which is permanent and has a single child results_frame which is populated and destroyed as required. At least, that's the plan. It is not going well.
I can create the frame and put stuff in it. But when I want to remove or replace it, I'm left with stuff from the previous incarnation. Some stuff is modified, some stuff seems permanent, and it baffles me.
You may have to make the window taller to see the full effect. The basic flaw is that when you click the "Line+" button, lines that show up are permanent, so that when you click the "new frame" button, lines should disappear but don't.
Here's code:
#!/usr/bin/env python3
"""Find a matching record in the database
Last Modified: Fri Dec 15 18:20:32 PST 2017
"""
import tkinter as tk # https://docs.python.org/3.5/library/tkinter.html
class Asker(tk.Frame):
def __init__(self, root=None):
super().__init__(root)
self.root = root
root.title("Asker")
self.pack()
self._create_widgets()
results_owner = None
results_frame = None
iteration = 0
def _create_widgets(self):
noterow2 = tk.Frame(root)
msgtx = "This represents the fixed area of the window"
tx2 = tk.Label(noterow2, width=len(msgtx), text=msgtx, anchor='w')
noterow2.pack(side=tk.TOP, fill=tk.X, padx=2, pady=2)
tx2.pack(side=tk.LEFT, padx=5, pady=5)
buttonrow = tk.Frame(root)
buttonrow.pack(side=tk.TOP, fill=tk.X, padx=2, pady=2)
b2 = tk.Button(buttonrow, text='Quit', command=root.quit)
b2.pack(side=tk.LEFT, padx=5, pady=5)
test1 = tk.Button(buttonrow, text='Line+', command=(lambda arg=self.results_frame: self.addline(arg)))
test1.pack(side=tk.LEFT, padx=5, pady=5)
test2 = tk.Button(buttonrow, text='New Frame', command=self.new_results)
test2.pack(side=tk.LEFT, padx=5, pady=5)
self.results_owner = tk.Frame(root)
self.results_owner.pack(side=tk.TOP, fill=tk.X)
self.new_results()
def new_results(self):
if self.results_frame is not None:
self.results_frame.destroy()
self.results_frame = tk.Frame(self.results_owner)
sampletxt = "New frame " + str(self.iteration)
sample = tk.Label(self.results_frame, text=sampletxt, width=len(sampletxt), anchor='w')
sample.pack(side=tk.LEFT, padx=5, pady=5)
self.results_frame.pack(side=tk.TOP,fill=tk.X,padx=0, pady=self.iteration)
self.root.update_idletasks()
self.iteration += 1
def addline(self, results):
print("addline")
msg = "New Line"
mytx = tk.Label(results, text=msg, width=len(msg), anchor='w')
mytx.pack(side=tk.TOP, fill=tk.X, padx=2, pady=2)
if __name__ == '__main__':
root = tk.Tk()
anti = Asker(root=root)
anti.mainloop()
Here's modified code using some of the suggestions in comments (but it still does not work as intended):
#!/usr/bin/env python3
"""Find a matching record in the database
Last Modified: Fri Dec 15 20:31:17 PST 2017
"""
import tkinter as tk # https://docs.python.org/3.5/library/tkinter.html
class Asker(tk.Frame):
def __init__(self, root=None):
super().__init__(root)
self.root = root
root.title("Asker")
self.pack()
self.results_owner = None
self.results_frame = None
self.iteration = 0
self._create_widgets()
def _create_widgets(self):
noterow2 = tk.Frame(root)
msgtx = "This represents the fixed area of the window"
tx2 = tk.Label(noterow2, width=len(msgtx), text=msgtx, anchor='w')
noterow2.pack(side=tk.TOP, fill=tk.X, padx=2, pady=2)
tx2.pack(side=tk.LEFT, padx=5, pady=5)
buttonrow = tk.Frame(root)
buttonrow.pack(side=tk.TOP, fill=tk.X, padx=2, pady=2)
b2 = tk.Button(buttonrow, text='Quit', command=root.quit)
b2.pack(side=tk.LEFT, padx=5, pady=5)
test1 = tk.Button(buttonrow, text='Line+', command=self.addline(self.results_frame))
test1.pack(side=tk.LEFT, padx=5, pady=5)
test2 = tk.Button(buttonrow, text='New Frame', command=self.new_results)
test2.pack(side=tk.LEFT, padx=5, pady=5)
self.results_owner = tk.Frame(root)
self.results_owner.pack(side=tk.TOP, fill=tk.X)
self.new_results()
def new_results(self):
if self.results_frame is not None:
self.results_frame.pack_forget()
self.results_frame.destroy()
self.results_frame = tk.Frame(self.results_owner)
sampletxt = "New frame " + str(self.iteration)
sample = tk.Label(self.results_frame, text=sampletxt, width=len(sampletxt), anchor='w')
sample.pack(side=tk.LEFT, padx=5, pady=5)
self.results_frame.pack(side=tk.TOP,fill=tk.X,padx=0, pady=self.iteration)
self.root.update_idletasks()
self.iteration += 1
def addline(self, results):
print("addline")
msg = "New Line" + str(self.iteration)
mytx = tk.Label(results, text=msg, width=len(msg), anchor='w')
mytx.pack(side=tk.TOP, fill=tk.X, padx=2, pady=2)
if __name__ == '__main__':
root = tk.Tk()
anti = Asker(root=root)
anti.mainloop()
In you situation you have to use self.results_frame directly in lambda
command=lambda:self.addline(self.results_frame)
to have access always to current value in variable self.results_frame
Using arg=self.results_frame in lambda
lambda arg=self.results_frame: self.addline(arg)
you copy value from self.results_frame to arg only once (at start) and later function uses the same value all the time.
It turns out I had to make the call to addline a lambda; as it was, the function was being called just once. I also adjusted packing and borders to make it clear how things are grouped. I can now use this as a model for my app.
#!/usr/bin/env python3
"""Last Modified: Sat Dec 16 07:28:31 PST 2017
"""
import tkinter as tk # https://docs.python.org/3.5/library/tkinter.html
class Asker(tk.Frame):
def __init__(self, root=None):
super().__init__(root)
self.root = root
root.title("Asker")
self.pack()
self.results_owner = None
self.results_frame = None
self.iteration = 0
self._create_widgets()
def _create_widgets(self):
noterow2 = tk.Frame(root)
msgtx = "This represents the fixed area of the window"
tx2 = tk.Label(noterow2, width=len(msgtx), text=msgtx, anchor='w')
noterow2.pack(side=tk.TOP, fill=tk.X, padx=2, pady=2)
tx2.pack(side=tk.LEFT, padx=5, pady=5)
buttonrow = tk.Frame(root)
buttonrow.pack(side=tk.TOP, fill=tk.X, padx=2, pady=2)
b2 = tk.Button(buttonrow, text='Quit', command=root.quit)
b2.pack(side=tk.LEFT, padx=5, pady=5)
test1 = tk.Button(buttonrow, text='Line+', command=(lambda :self.addline(self.results_frame)))
test1.pack(side=tk.LEFT, padx=5, pady=5)
test2 = tk.Button(buttonrow, text='New Frame', command=self.new_results)
test2.pack(side=tk.LEFT, padx=5, pady=5)
self.results_owner = tk.Frame(root, borderwidth=3, relief=tk.RAISED)
self.results_owner.pack(side=tk.TOP, fill=tk.X, padx=2, pady=2)
self.new_results()
def new_results(self):
if self.results_frame is not None:
self.results_frame.destroy()
self.results_frame = tk.Frame(self.results_owner, borderwidth=1, relief=tk.GROOVE)
sampletxt = "New frame " + str(self.iteration)
sample = tk.Label(self.results_frame, text=sampletxt, width=len(sampletxt), anchor='w')
sample.pack(side=tk.TOP, fill=tk.X, padx=2, pady=2)
self.results_frame.pack(side=tk.TOP,fill=tk.X,padx=2, pady=2)
self.root.update_idletasks()
self.iteration += 1
def addline(self, results):
msg = "New Line" + str(self.iteration)
mytx = tk.Label(results, text=msg, width=len(msg), anchor='w')
mytx.pack(side=tk.TOP, fill=tk.X, padx=2, pady=2)
self.root.update_idletasks()
self.iteration += 1
if __name__ == '__main__':
root = tk.Tk()
anti = Asker(root=root)
anti.mainloop()

Resources