2

我想编写一个 gnome-shell 扩展,其中涉及在 gjs 中调用一些 dbus。

我了解到 Gio.DBus 是正确使用的模块,但我未能使其正确运行。为了说明我的意思,我准备了以下“不正确”的代码,它试图调用 org.freedesktop.DBus 接口中的 ListNames 方法。当我运行这个不正确的代码时,我没有看到任何输出。

不正确的代码:

const Gio = imports.gi.Gio;

const DBusDaemonIface = <interface name='org.freedesktop.DBus'>
    <method name='ListNames'>
        <arg type='as' direction='out'/>
    </method>
</interface>;

const DBusDaemonProxy = Gio.DBusProxy.makeProxyWrapper(DBusDaemonIface);

let main = function () {
    var gdbusProxy = new DBusDaemonProxy(Gio.DBus.session, 'org.freedesktop.DBus', '/org/freedesktop/DBus');
    gdbusProxy.ListNamesRemote(function(result, error){ print(result); });
};

main();

为了比较,以下代码有效。我所做的不同之处在于定义了一个扩展 Gio.Application 的 TestApp 类,该类在 main() 函数中被实例化。

正确代码:

const Gio = imports.gi.Gio;
const Lang = imports.lang;

const DBusDaemonIface = <interface name='org.freedesktop.DBus'>
    <method name='ListNames'>
        <arg type='as' direction='out'/>
    </method>
</interface>;

const DBusDaemonProxy = Gio.DBusProxy.makeProxyWrapper(DBusDaemonIface);

TestApp = new Lang.Class({
    Name: 'TestApp',
    Extends: Gio.Application,

    _init: function() {
        this.parent({application_id: 'testapp_id',
            flags: Gio.ApplicationFlags.NON_UNIQUE });

        this._gdbusProxy = new DBusDaemonProxy(Gio.DBus.session,
            'org.freedesktop.DBus', '/org/freedesktop/DBus');
    this._gdbusProxy.ListNamesRemote(Lang.bind(this, this._listNames));
    },

    _listNames: function(result, error) {
    print(result);
    },

    vfunc_activate: function() {
        this.hold();
    },

});

let main = function () {
    let app = new TestApp();
    return app.run(ARGV);
};

main();

所以我的猜测是让 GDBus 工作,你需要一个 Gio.Application 来运行吗?这可能是一个非常愚蠢的问题,因为我对 GNOME 的编程经验为零。谢谢。

4

1 回答 1

1

代码很好,除了你没有运行主循环,所以应用程序在ListNamesRemote回调有时间运行之前退出。app.run(ARGV)会给你一个主循环,但你也可以用普通的 GLib 来做:

const GLib = imports.gi.GLib;

// ... then in the end of your main() function:
var main_loop = new GLib.MainLoop(null, true);
main_loop.run();
于 2013-10-17T08:43:50.300 回答