I have a simple program I'm writing to try to get some skills with Tkinter. The problem I'm running into here is that when I click on the different file names in the Listbox, the Label changes value one click behind whatever I'm currently clicking on. To replicate:
- Start the program, label is blank.
- Click on any of the entries in the Listbox, Label says '/path/file1'.
- Click on any other entry in the Listbox, Label changes to whatever you clicked on step 2.
In the console output, you can see that the Listbox's current item seems to be one behind whatever you click on, like the current value is getting set to the Label first and then the click is being processed to highlight the new item in the Listbox. What am I missing here?
(I'm still very new to Python, and even newer to Tk, so sorry for the non-idiomatic style and Hungarian notation for the widgets; it's helping me keep track of what widgets do what.)
import Tkinter as tk
class TkTest: # Some tutorials show "class ClassName(Frame):" here. Do I need to pass a Tkinter Frame object or not?
def __init__(self, master):
# Some tutorials show "Frame.__init__(self, master)" here, if Frame is passed as a parameter to the class. Is this needed?
# Set up the main frame.
self.fraMain = tk.Frame(master)
self.fraMain.pack()
# Set up a list box containing all the paths to choose from.
self.lstPaths = tk.Listbox(self.fraMain)
paths = [
'/path/file1',
'/path/file2',
'/path/file3',
]
for path in paths:
self.lstPaths.insert(tk.END, path)
self.lstPaths.bind('<Button-1>', self.update_label)
self.lstPaths.pack()
# Set up a label which should show the currently selected item from the list box.
self.currentpath = tk.StringVar()
self.lblCurrentPath = tk.Label(self.fraMain, textvariable=self.currentpath)
self.lblCurrentPath.pack()
def update_label(self, event):
print self.lstPaths.get(tk.ACTIVE),
print self.lstPaths.curselection()
self.currentpath.set(self.lstPaths.get(tk.ACTIVE))
root = tk.Tk()
app = TkTest(root)
root.mainloop()