Gio SimpleAction调用函数

时间:2016-02-05 23:46:39

标签: python gtk3 gio

我在Gtk3应用中使用Gio动作制作了菜单。 菜单项创建为:

#in main file
MenuElem = menu.MenuManager
# Open Menu
action = Gio.SimpleAction(name="open")
action.connect("activate", MenuElem.file_open_clicked)
self.add_action(action)

file_open_clicked位于menu.pyclass MenuManager,定义为:

import gi
import pybib
import view
gi.require_version("Gtk", "3.0")
from gi.repository import Gtk


class MenuManager:
    def __init__(self):
        self.parsing = pybib.parser()
        self.TreeView = view.treeview()
    #file_open_clicked
    #in menu.py
    def file_open_clicked(self, widget):
        dialog = Gtk.FileChooserDialog("Open an existing fine", None,
                                       Gtk.FileChooserAction.OPEN,
                                       (Gtk.STOCK_CANCEL,
                                        Gtk.ResponseType.CANCEL,
                                        Gtk.STOCK_OPEN, Gtk.ResponseType.OK))
        response = dialog.run()
        if response == Gtk.ResponseType.OK:
            filename = dialog.get_filename()
            dialog.destroy()
            self.TreeView.bookstore.clear()
            self.TreeView.viewer(self.parsing.booklist)
            # self.TreeView.view.set_model()
        elif response == Gtk.ResponseType.CANCEL:
            print("Cancel clicked")
            dialog.destroy()

我收到错误:

Traceback (most recent call last):
  File "/home/rudra/Devel/mkbib/Python/src/menu.py", line 81, in file_open_clicked
    self.TreeView.bookstore.clear()
AttributeError: 'SimpleAction' object has no attribute 'TreeView'

我知道SimpleAction还有一个选项,应该调用TreeView。 但我不知道如何。 请帮助

2 个答案:

答案 0 :(得分:1)

您的问题是TreeView类仅存在MenuManager类,而当您调用file_open_clicked方法时,第一个参数(self)是创建了SimpleAction个对象。使用 file_open_clicked实例MenuManager方法可以解决此问题。

menu_manager = MenuManager()
action = Gio.SimpleAction(name="open")
action.connect("activate", menu_manager.file_open_clicked)

答案 1 :(得分:1)

让我为你分解你的代码。

#in main file
MenuElem = menu.MenuManager

在此设置MenuElem以指向menu.MenuManager课程。可能你想在这里初始化对象,以便MenuElem成为menu.MenuManager类的实例。这样就调用了__init__类的MenuManager函数。因此代码应该是:

#in main file
MenuElem = menu.MenuManager()

然后出现问题的下一部分就在这里:

def file_open_clicked(self, widget):

如果我们检查activate信号的docs,我们会看到它有2个参数。因此,目前没有初始化对象self设置为第一个参数,即SimpleActionwidget设置为激活parameter

但是,由于我们现在已初始化MenuManager对象,file_open_clicked函数将获得3个输入参数,即selfSimpleActionparameter。因此,我们需要像这样接受它们:

def file_open_clicked(self, simpleAction, parameter):

现在代码将起作用self实际上是一个具有属性TreeView的对象。 (仅用于Python变量和属性的信息通常以小写形式写)