web-dev-qa-db-ja.com

AppIndicator3:ファイル名またはGdkPixbufからインジケーターアイコンを設定します

小さなPython 3 app を書いています。これはAppIndicator3を使用してトップバーにアイコンを配置し、ユーザーのアクションに応じてそのアイコンを変更します。シンプルでしょ?アプリは小さいため、インストールを一切行わずにソースディレクトリから実行する必要があります。

問題は、 AppIndicator3.set_icon() には、アイコンへのパスではなく、アイコン名を含むstrが必要なことです。

AppIndicator3にファイル名またはPixbufのいずれかを与えるように説得するにはどうすればよいですか?または、アイコンディレクトリをアイコン名の検索パスに追加するにはどうすればよいですか? (AppIndicator3.set_icon_theme_path()を試しましたが、アイコン名はまだ認識されていません。

5
Scott Severance

アイコンへのpathを使用するには、例を挙げて説明します。以下の例では、アイコンをスクリプト(インジケーター)と同じディレクトリに保持しています。これは、あなたの場合に便利な解決策のようです。

一番下の行は、インジケーターを開始すると:

class Indicator():
    def __init__(self):
        self.app = "<indicator_name>"
        iconpath = "/path/to/initial/icon/"

        -------------------------------

        self.testindicator = AppIndicator3.Indicator.new(
        self.app, iconpath,
        AppIndicator3.IndicatorCategory.OTHER)

        -------------------------------

次の方法でアイコンを変更できます。

        self.testindicator.set_icon("/path/to/new/icon/")

enter image description hereenter image description here

以下の例では、すべてのアイコン、nocolor.pngpurple.png、およびgreen.pngはスクリプトと共に保存されますが、アイコンへのパスは、

currpath = os.path.dirname(os.path.realpath(__file__))

どこでも可能です。

#!/usr/bin/env python3
import os
import signal
import gi
gi.require_version('Gtk', '3.0')
gi.require_version('AppIndicator3', '0.1')
from gi.repository import Gtk, AppIndicator3

currpath = os.path.dirname(os.path.realpath(__file__))

class Indicator():
    def __init__(self):
        self.app = 'show_proc'
        iconpath = currpath+"/nocolor.png"
        # after you defined the initial indicator, you can alter the icon!
        self.testindicator = AppIndicator3.Indicator.new(
            self.app, iconpath,
            AppIndicator3.IndicatorCategory.OTHER)
        self.testindicator.set_status(AppIndicator3.IndicatorStatus.ACTIVE)       
        self.testindicator.set_menu(self.create_menu())

    def create_menu(self):
        menu = Gtk.Menu()
        item_quit = Gtk.MenuItem(label='Quit')
        item_quit.connect('activate', self.stop)
        item_green = Gtk.MenuItem(label='Green')
        item_green.connect('activate', self.green)
        item_purple = Gtk.MenuItem(label='Purple')
        item_purple.connect('activate', self.purple)
        menu.append(item_quit)
        menu.append(item_green)
        menu.append(item_purple)
        menu.show_all()
        return menu

    def stop(self, source):
        Gtk.main_quit()

    def green(self, source):
        self.testindicator.set_icon(currpath+"/green.png")

    def purple(self, source):
        self.testindicator.set_icon(currpath+"/purple.png")

Indicator()
signal.signal(signal.SIGINT, signal.SIG_DFL)
Gtk.main()

注意

...2番目のスレッドからアイコンを更新する必要がある場合は、

GObject.threads_init()

Gtk.main()

以下を使用してインターフェース(アイコンまたはインジケーターテキスト)を更新する必要があります。

GObject.idle_add()

適用される例 here および here

5
Jacob Vlijm