web-dev-qa-db-ja.com

DBusを使用して着信libnotify通知をリッスンする

Espeakを介してすべての通知をフィルタリングしようとしています。ただし、pythonスクリプトから通知本文を取得する方法、またはどのsignal_nameをリッスンするかを見つけることはできないようです。

bus.add_signal_receiver(espeak,
                    dbus_interface="org.freedesktop.Notifications",
                    signal_name="??")

これをグーグルで検索しようとすると、新しい通知の作成に関連する結果しか得られないように思えるので、今は完全に迷ってしまいました。

誰でもこれで私を助けることができますか?

つまり、Pythonを使用して着信通知をリッスンし、通知の「body」属性を取得することです。

9
manmachine

これを最新の状態に保つには、dbus 1.5.somethingから、bus.add_match_string_non_blockingで一致文字列を追加するときに追加のパラメーターが必要です。

結果のコードは次のようになります。

import glib
import dbus
from dbus.mainloop.glib import DBusGMainLoop

def notifications(bus, message):
    print [arg for arg in message.get_args_list()]

DBusGMainLoop(set_as_default=True)

bus = dbus.SessionBus()
bus.add_match_string_non_blocking("eavesdrop=true, interface='org.freedesktop.Notifications', member='Notify'")
bus.add_message_filter(notifications)

mainloop = glib.MainLoop()
mainloop.run()
11
joost

通知とは、音量の変更、IMチャットなど、一部のソフトウェアが送信する「OSDバブル」を意味しますか?それらをキャプチャするpythonプログラムを作成しますか?

Ask UbuntuはプログラマーのQAではなく、ソフトウェア開発は少し範囲を超えていますが、通知バブルをキャプチャした小さなコードを次に示します。

import glib
import dbus
from dbus.mainloop.glib import DBusGMainLoop

def notifications(bus, message):
    if message.get_member() == "Notify":
        print [arg for arg in message.get_args_list()]

DBusGMainLoop(set_as_default=True)

bus = dbus.SessionBus()
bus.add_match_string_non_blocking("interface='org.freedesktop.Notifications'")
bus.add_message_filter(notifications)

mainloop = glib.MainLoop()
mainloop.run()

これをターミナルで実行したままにして、別のターミナルウィンドウを開いてテストします。

notify-send --icon=/usr/share/pixmaps/debian-logo.png "My Title" "Some text body"

そして、プログラムはこれを出力します:

[dbus.String(u'notify-send'), dbus.UInt32(0L), dbus.String(u'/usr/share/pixmaps/debian-logo.png'), dbus.String(u'My Title'), dbus.String(u'Some text body'),...

ご想像のとおり、message.get_args_list()[0]は送信者、[2]はアイコン、[3]は要約、[4]は本文テキストです。

他のフィールドの意味については、 公式仕様ドキュメント を確認してください

6
MestreLion

他のサンプルを実際に動作させるのに苦労しましたが、最終的にそこに到達しました。これが実際の例です:

import glib
import dbus
from dbus.mainloop.glib import DBusGMainLoop

def print_notification(bus, message):
  keys = ["app_name", "replaces_id", "app_icon", "summary",
          "body", "actions", "hints", "expire_timeout"]
  args = message.get_args_list()
  if len(args) == 8:
    notification = dict([(keys[i], args[i]) for i in range(8)])
    print notification["summary"], notification["body"]

loop = DBusGMainLoop(set_as_default=True)
session_bus = dbus.SessionBus()
session_bus.add_match_string("type='method_call',interface='org.freedesktop.Notifications',member='Notify',eavesdrop=true")
session_bus.add_message_filter(print_notification)

glib.MainLoop().run()

より詳細な作業例をご覧になりたい場合は、 recent_notificationsのNotifications.py プロジェクトをご覧になることをお勧めします。

3
kzar