知道了。问题是你没有将你的方向作为参数传递给你的 lambda(它只查看事件参数(和 self),因为这就是你的 lambda 被定义为接受的全部) 这个页面给了我我需要的帮助让它工作(这是一个要点):
import wx
class MyForm(wx.Frame):
#----------------------------------------------------------------------
def __init__(self):
wx.Frame.__init__(self, None, wx.ID_ANY, "Programmatic binding of accelerators in wxPython", size=(450,150))
# Add a panel so it looks the correct on all platforms
panel = wx.Panel(self, wx.ID_ANY)
bindings = [
(wx.ACCEL_CTRL, wx.WXK_UP, 'up'),
(wx.ACCEL_CTRL, wx.WXK_DOWN, 'down'),
(wx.ACCEL_CTRL, wx.WXK_LEFT, 'left'),
(wx.ACCEL_CTRL, wx.WXK_RIGHT, 'right'),
]
accelEntries = []
for binding in bindings:
eventId = wx.NewId()
accelEntries.append( (binding[0], binding[1], eventId) )
self.Bind(wx.EVT_MENU, lambda evt, temp=binding[2]: self.on_move(evt, temp), id=eventId)
accelTable = wx.AcceleratorTable(accelEntries)
self.SetAcceleratorTable(accelTable )
#----------------------------------------------------------------------
def on_move(self, Event, direction):
print "You pressed CTRL+"+direction
# Run the program
if __name__ == "__main__":
app = wx.App(False)
frame = MyForm()
frame.Show()
app.MainLoop()
我原来的答案(这是一个可接受的替代解决方案)是:
import wx
class MyForm(wx.Frame):
#----------------------------------------------------------------------
def __init__(self):
wx.Frame.__init__(self, None, wx.ID_ANY, "Tutorial", size=(500,500))
# Add a panel so it looks the correct on all platforms
panel = wx.Panel(self, wx.ID_ANY)
bindings = [
(wx.ACCEL_CTRL, wx.WXK_UP, self.on_move_up),
(wx.ACCEL_CTRL, wx.WXK_DOWN, self.on_move_down),
(wx.ACCEL_CTRL, wx.WXK_LEFT, self.on_move_left),
(wx.ACCEL_CTRL, wx.WXK_RIGHT, self.on_move_right),
]
accelEntries = []
for binding in bindings:
eventId = wx.NewId()
accelEntries.append( (binding[0], binding[1], eventId) )
self.Bind(wx.EVT_MENU, binding[2], id=eventId)
accelTable = wx.AcceleratorTable(accelEntries)
self.SetAcceleratorTable(accelTable )
#----------------------------------------------------------------------
def on_move_up(self, event):
print "You pressed CTRL+up"
def on_move_down(self, event):
print "You pressed CTRL+down"
def on_move_left(self, event):
print "You pressed CTRL+left"
def on_move_right(self, event):
print "You pressed CTRL+right"
# Run the program
if __name__ == "__main__":
app = wx.App(False)
frame = MyForm()
frame.Show()
app.MainLoop()