Simple ttk ComboBox demo

旧街凉风 提交于 2019-12-18 11:32:09

问题


This should be very simple but I am really struggling to get it right. All I need is a simple ttk ComboBox which updates a variable on change of selection.

In the example below, I need the value of value_of_combo variable to be updated automatically every time a new selection is made.

from Tkinter import *
import ttk

class App:

    value_of_combo = 'X'


    def __init__(self, parent):
        self.parent = parent
        self.combo()

    def combo(self):
        self.box_value = StringVar()
        self.box = ttk.Combobox(self.parent, textvariable=self.box_value)
        self.box['values'] = ('X', 'Y', 'Z')
        self.box.current(0)
        self.box.grid(column=0, row=0)

if __name__ == '__main__':
    root = Tk()
    app = App(root)
    root.mainloop()

回答1:


Just bind the virtual event <<ComboboxSelected>> to the Combobox widget:

class App:
    def __init__(self, parent):
        self.parent = parent
        self.value_of_combo = 'X'
        self.combo()

    def newselection(self, event):
        self.value_of_combo = self.box.get()
        print(self.value_of_combo)

    def combo(self):
        self.box_value = StringVar()
        self.box = ttk.Combobox(self.parent, textvariable=self.box_value)
        self.box.bind("<<ComboboxSelected>>", self.newselection)
        # ...



回答2:


In the more general case, if you need to get the value of a Variable when it is updated, it would be advisable to use the tracing facility built into them.

var = StringVar()  # create a var object

# define the callback
def tracer(name, idontknow, mode):
    # I cannot find the arguments sent to the callback documented
    # anywhere, or how to really use them.  I simply ignore
    # the arguments, and use the invocation of the callback
    # as the only api to tracing
    print var.get()

var.trace('w', tracer)
# 'w' in this case, is the 'mode', one of 'r'
# for reading and 'w' for writing

var.set('Foo')  # manually update the var...

# 'Foo' is printed


来源:https://stackoverflow.com/questions/17757451/simple-ttk-combobox-demo

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!