1

我的框架中有 3 个控件 -

  1. 一个列表框,其中包含员工表中的员工姓名列表。
  2. 接受新员工姓名的文本框
  3. 单击命令按钮将在员工表中插入一个新名称。

要求:

一旦我在插入新行后按下提交按钮,列表框应该会自动刷新为新名称。

我如何完成这项任务?

我成功地创建了控件并绑定了单击事件并插入了一行。但无法刷新列表框。

提前感谢您的帮助。

4

1 回答 1

1

您应该使用 ListBox 的 SetItems 方法:

import wx

########################################################################
class MyPanel(wx.Panel):
    """"""

    #----------------------------------------------------------------------
    def __init__(self, parent):
        """Constructor"""
        wx.Panel.__init__(self, parent)

        self.choices = ["George Lucas"]
        self.lbox = wx.ListBox(self, choices=self.choices)
        self.new_emp = wx.TextCtrl(self)
        addBtn = wx.Button(self, label="Add Employee")
        addBtn.Bind(wx.EVT_BUTTON, self.addEmployee)

        sizer = wx.BoxSizer(wx.VERTICAL)
        sizer.Add(self.lbox, 0, wx.ALL|wx.EXPAND, 5)
        sizer.Add(self.new_emp, 0, wx.ALL|wx.EXPAND, 5)
        sizer.Add(addBtn, 0, wx.ALL, 5)
        self.SetSizer(sizer)

    #----------------------------------------------------------------------
    def addEmployee(self, event):
        """"""
        emp = self.new_emp.GetValue()
        self.choices.append(emp)
        self.lbox.SetItems(self.choices)
        self.new_emp.SetValue("")

########################################################################
class MainFrame(wx.Frame):
    """"""

    #----------------------------------------------------------------------
    def __init__(self):
        """Constructor"""
        wx.Frame.__init__(self, None, title="Employee")
        panel = MyPanel(self)
        self.Show()

#----------------------------------------------------------------------
if __name__ == "__main__":
    app = wx.App(False)
    frame = MainFrame()
    app.MainLoop()
于 2013-03-25T21:41:40.777 回答