ttk.combobox选择列表

时间:2014-05-19 07:30:42

标签: python combobox tkinter ttk

我想知道我是否可以获得这方面的线索。

我从表中收到一个记录集,其字段为id,desc。

我想在组合框中显示“值”,但我想在选择后收到的变量是对应的“id”。

我可以使用id创建一个列表,使用desc

创建一个列表

我可以向组合发送“值”,但是......我怎么能用组合框来显示值并接收id?

def loadCombo(self):    
    sql = "SELECT id, desc FROM table"
    misq = conn.query2(sql)
    misc , misv = [] , []
    for xx in misq:
        misv.append(xx["desc"])
        misc.append(xx["id"])`

    self.box = ttk.Combobox(self.master, textvariable=self.idquiniela, state="readonly", choices=misc, values=misv )
    self.box.pack()

我选择错误了!

谢谢

2 个答案:

答案 0 :(得分:3)

我的第一个想法是use a dictionary而不是列表。如果出于其他原因有两个列表,可以通过以下方式将它们转换为字典:

ids = ['Hello', 'World', 'Foo', 'Bar']
vals = [64, 8, 4, 2]
mydict = dict(list(zip(ids,vals)))

获得字典后,在查询组合框时可以使用mydict [combobox.get()]。如果你在其他几个地方需要这个功能,那么你可能想要创建一个自定义版本的Combobox,一个la:

from tkinter import Tk
from tkinter import ttk

class NewCBox(ttk.Combobox):
    def __init__(self, master, dictionary, *args, **kw):
        ttk.Combobox.__init__(self, master, values = sorted(list(dictionary.keys())), state = 'readonly', *args, **kw)
        self.dictionary = dictionary
        self.bind('<<ComboboxSelected>>', self.selected) #purely for testing purposes

    def value(self):
        return self.dictionary[self.get()]

    def selected(self, event): #Just to test
        print(self.value())

lookup = {'Hello': 64, 'World' : 8, 'Foo': 4, 'Bar': 2}
root = Tk()
newcb = NewCBox(root, lookup)
newcb.pack()

然后只使用'value()'方法而不是'get()'

答案 1 :(得分:1)

基于Reid他的回答我编写了这个新的组合框类,但是get()方法仍然可用。以为我会为那些寻找类似事物的人分享它:)

from tkinter.ttk import Combobox

class NewCombobox(Combobox):
    """
    Because the classic ttk Combobox does not take a dictionary for values.
    """

    def __init__(self, master, dictionary, *args, **kwargs):
        Combobox.__init__(self, master,
                          values=sorted(list(dictionary.keys())),
                          *args, **kwargs)
        self.dictionary = dictionary

    def get(self):
        if Combobox.get(self) == '':
            return ''
        else:
            return self.dictionary[Combobox.get(self)]