python 3 Tkinter ComboBox 没有获得价值

python 3 Tkinter ComboBox don't get value

我正在尝试使用 python 3.6 从 tkinter 中的组合框获取值,我一直在寻找许多教程,但我还没有看到问题。 每次我按下按钮都不显示任何东西。 但也没有错误。 所以澄清一下......我试图在我按下 ttk.Button 时获取 tk.combobox 的值。 预先感谢您的任何想法或意见。 这是我目前所拥有的。

import tkinter as tk
from tkinter import ttk


def combo_box_updater():
    total_location = ['linden', 'mineola', 'brooklyn']
    return total_location


def start_analisys(event=None):
    site = jobsite_name.get()
    print(site)


# this is part of a definition that automatically will update the names in later versions
job_site = combo_box_updater()


#  basic gui setup
unified = tk.Toplevel()
unified.title('Unified 1 Week Timesheet')
unified.configure(background="#00012f")
unified.geometry("650x200")
unified.resizable(width=False, height=False)
entry_width = 30


#  basic frame
frame1 = tk.Frame(unified)
frame1.grid(row=0, column=0, sticky='w')


#  combo box in the fourth row
jobsite_name = tk.StringVar()
combo_box = ttk.Combobox(frame1, font="none 12 bold", width=20, textvariable=jobsite_name, text="choose location")
combo_box.grid(row=0, column=1, sticky="wesn")
combo_box['values'] = [x for x in job_site]

#  Left button side
ttk.Button(frame1, text='Run', command=start_analisys, ).grid(row=0, column=2, sticky='nsew', rowspan=3)

unified.mainloop()

当您事后添加这些值时,您还需要添加相应的命令。最好通过 init 方法添加值,以便自动添加命令:

jobsite_name = tk.StringVar(value="choose location")
combo_box = ttk.Combobox(frame1, textvariable=jobsite_name, values=job_site, font="none 12 bold", width=20)

对您的代码进行了三处小修改:添加了一个标签来显示结果,在组合框设置中添加了一行,并更改了主程序的创建 window。

import tkinter as tk
from tkinter import ttk


def combo_box_updater():
    total_location = ['linden', 'mineola', 'brooklyn']
    return total_location


def start_analisys(event=None):
    site = jobsite_name.get()
    aLabel["text"] = site
    print(site)


# this is part of a definition that automatically will update the names in later versions
job_site = combo_box_updater()


#  basic gui setup
unified = tk.Tk()
unified.title('Unified 1 Week Timesheet')
unified.configure(background="#00012f")
unified.geometry("650x200")
unified.resizable(width=False, height=False)
entry_width = 30


#  basic frame
frame1 = tk.Frame(unified)
frame1.grid(row=0, column=0, sticky='w')


#  combo box in the fourth row
jobsite_name = tk.StringVar()
combo_box = ttk.Combobox(frame1, font="none 12 bold", width=20, textvariable=jobsite_name)
combo_box.grid(row=0, column=1, sticky="wesn")
combo_box['values'] = [x for x in job_site]
combo_box.current(0)
#  Left button side
ttk.Button(frame1, text='Run', command=start_analisys, ).grid(row=0, column=2, sticky='nsew', rowspan=3)

# add a label
aLabel = ttk.Label(frame1, text='My Label')
# place the label
aLabel.grid(column=3, row=0)


unified.mainloop()
if __name__ == '__main__':
    pass