我为我的组合框值创建了一个字典。我正在尝试使用.get(keys)
来获取我为组合框设置的值。
例如,如果我选择A,它应打印出Haha What
,B应打印出Lala Sorry
,这两个都是我字典中的值,那么如何更正我的代码?
from tkinter import *
from tkinter import ttk
class Application:
def __init__(self, parent):
self.parent = parent
self.value_of_combo='A'
self.combo()
def textArea(self, e):
self.value_of_combo = self.box.get()
# Get the content of the Text widget
r=self.thistextArea.get('1.0','1.end')
# If it is empty then insert the selected value directly
if not r:
self.thistextArea.insert(INSERT, self.box_values)
# If not empty then delete existing text and insert the selected value
else:
self.thistextArea.delete('1.0','1.end')
self.thistextArea.insert(END, self.box_values)
def combo(self):
self.box_value = StringVar()
mydict={'A':'Haha What','B':'Lala Sorry','C':'Ohoh OMG'}
self.box_values=mydict.keys()
self.box = ttk.Combobox(self.parent, textvariable=self.box_value,values= mydict,state='readonly')
self.box.bind('<<ComboboxSelected>>',self.textArea)
self.box.current(0)
self.box.grid(column=0, row=0)
self.thistextArea=Text(self.parent,height=50,width=50)
self.thistextArea.grid(column=0,row=1)
root = Tk()
app = Application(root)
root.mainloop()
答案 0 :(得分:3)
要仅显示Combobox小部件中的键(A
,B
和C
),您需要将self.box_values=mydict.keys(
更改为self.box_values=list(self.mydict.keys())
此行:
self.box = ttk.Combobox(self.parent, textvariable=self.box_value,values= mydict,state='readonly')
to(将键列表传递给values
选项而不是字典mydict
本身):
self.box = ttk.Combobox(self.parent, textvariable=self.box_value,values= self.box_values,state='readonly')
完成此操作后,在textArea()
中,您需要使用get()
方法来检索您从Combobo wiget中选择的对应选择键的值。
<强>程序:强>
以下是上述方案的实施:
from tkinter import *
from tkinter import ttk
class Application:
def __init__(self, parent):
self.parent = parent
self.value_of_combo='A'
self.combo()
def textArea(self, e):
self.value_of_combo = self.box.get()
# Get the content of the Text widget
#print(self.mydict.get(self.value_of_combo))
r=self.thistextArea.get('1.0','1.end')
# If it is empty then insert the selected value directly
if not r:
self.thistextArea.insert(INSERT, self.mydict.get(self.value_of_combo))
# If not empty then delete existing text and insert the selected value
else:
self.thistextArea.delete('1.0','1.end')
self.thistextArea.insert(END, self.mydict.get(self.value_of_combo))
def combo(self):
self.box_value = StringVar()
self.mydict={'A':'Haha What','B':'Lala Sorry','C':'Ohoh OMG'}
self.box_values=list(self.mydict.keys())
#print(self.box_values)
self.box = ttk.Combobox(self.parent, textvariable=self.box_value,values= self.box_values,state='readonly')
self.box.bind('<<ComboboxSelected>>',self.textArea)
self.box.current(0)
self.box.grid(column=0, row=0)
self.thistextArea=Text(self.parent,height=50,width=50)
self.thistextArea.grid(column=0,row=1)
root = Tk()
app = Application(root)
root.mainloop()