我正在使用Gtk(python3)+ Glade创建一个应用程序。我在林间空地设置了一些加速器,如下所示:
<child>
<object class="GtkImageMenuItem" id="imagemenuitem5">
<property name="label">gtk-quit</property>
<accelerator key="q" signal="activate" modifiers="GDK_CONTROL_MASK"/>
</object>
</child>
但是我看不到在应用程序运行时如何将此事件的加速器更改为其他功能。可能吗?我的实现对我打算做的事情有误吗?
最佳答案
<accelerator>
元素在内部使用 gtk_widget_add_accelerator()
。从该函数的文档中:
通过此功能添加的加速器在运行时用户不可更改。如果要支持可由用户更改的加速器,请改用gtk_accel_map_add_entry()
和gtk_widget_set_accel_path()
或gtk_menu_item_set_accel_path()
。
实际上,使用GAction
,GApplication
和GMenuModel
甚至还有一种更现代的方法,而无需创建任何菜单栏。这是在运行时更改菜单项的加速器的示例:
from gi.repository import Gio, Gtk
class App(Gtk.Application):
def __init__(self, **props):
super(App, self).__init__(application_id='org.gnome.example',
flags=Gio.ApplicationFlags.FLAGS_NONE, **props)
# Activating the LEP GEX VEN ZEA menu item will rotate through these
# accelerator keys
self.keys = ['L', 'G', 'V', 'Z']
def do_activate(self):
Gtk.Application.do_activate(self)
actions = self.create_actions()
self.add_action(actions['quit'])
self.win = Gtk.ApplicationWindow()
self.add_window(self.win)
self.win.add_action(actions['lep'])
self.set_accels_for_action('win.lep', ['<primary>' + self.keys[0]])
# Ctrl-Q is automatically assigned to an app action named quit
model = self.create_menus()
self.set_menubar(model)
actions['lep'].connect('activate', self.on_lep_activate)
actions['quit'].connect('activate', lambda *args: self.win.destroy())
self.win.show_all()
def create_actions(self):
return {name: Gio.SimpleAction(name=name) for name in ['lep', 'quit']}
def create_menus(self):
file_menu = Gio.Menu()
file_menu.append('LEP GEX VEN ZEA', 'win.lep')
file_menu.append('Quit', 'app.quit')
menu = Gio.Menu()
menu.append_submenu('File', file_menu)
return menu
def on_lep_activate(self, *args):
self.keys = self.keys[1:] + self.keys[:1]
self.set_accels_for_action('win.lep', ['<primary>' + self.keys[0]])
if __name__ == '__main__':
App().run([])
您还可以使用Glade文件来完成其中的一些操作,并通过创建
menus.ui
文件并使其在特定的GResource路径对您的应用可用而自动将其连接起来:here进行了描述。关于python - 更改Glad设置的Gtk加速器,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/32713207/