web-dev-qa-db-ja.com

ウィンドウを1つに上げるにはどうすればよいですか?

AとBの2つのウィンドウがあります。2つのウィンドウを何らかの方法でリンクして、Aに切り替えるとBが上がる、またはBに切り替えるとAも上がるようにすることは可能ですか?

複数のワークスペースを使用することは代替オプションであると理解していますが、これも可能かどうか疑問に思っていましたか?

9
Simon Tong

前書き

次のスクリプトでは、2つのウィンドウを選択できます。両方のウィンドウが開いている間、ユーザーがどちらか一方にフォーカスを合わせると、両方のウィンドウが表示されます。たとえば、一方が未亡人AとBをリンクしている場合、AまたはBに切り替えると、両方が他の未亡人よりも高くなります。

スクリプトを停止するには、端末でkillall link_windows.pyを使用するか、ウィンドウの1つを閉じて再度開きます。閉じるボタンを押して実行をキャンセルすることもできます X いずれかのウィンドウ選択ポップアップダイアログで。

潜在的な調整:

  • スクリプトの複数のインスタンスを使用して、2つのウィンドウのペアをグループ化できます。たとえば、ウィンドウA、B、C、およびDがある場合、AとBをリンクし、CとDをリンクできます。
  • 複数のウィンドウを1つのウィンドウにグループ化できます。たとえば、ウィンドウBをAに、CをAに、DをAにリンクする場合、つまり常にAに切り替えると、4つのウィンドウすべてを同時に上げることができます。

使用法

次のようにスクリプトを実行します。

python link_windows.py

このスクリプトはPython 3と互換性があるため、次のように実行することもできます。

python3 link_windows.py

2つのコマンドラインオプションがあります。

  • --quietまたは-qを使用すると、GUIウィンドウを抑制できます。このオプションを使用すると、任意の2つのウィンドウでマウスをクリックするだけで、スクリプトはそれらのリンクを開始します。
  • --helpまたは-hは、使用法と説明の情報を出力します。

-hオプションは、次の情報を生成します。

$ python3 link_windows.py  -h                                                                                            
usage: link_windows.py [-h] [--quiet]

Linker for two X11 windows.Allows raising two user selected windows together

optional arguments:
  -h, --help  show this help message and exit
  -q, --quiet  Blocks GUI dialogs.

追加の技術情報はpydoc ./link_windows.pyで表示できます。./は、スクリプトと同じディレクトリにいる必要があることを示します。

2つのウィンドウの単純な使用プロセス:

  1. ウィンドウ#1を選択するよう求めるポップアップが表示されます。 OK またはヒット Enter。マウスポインターが十字に変わります。リンクするウィンドウのいずれかをクリックします。

  2. ウィンドウ#2を選択するように求める2番目のポップアップが表示されます OK またはヒット Enter。繰り返しますが、マウスポインターは十字に変わります。リンクする他のウィンドウをクリックします。その後、実行が開始されます。

  3. いずれかのウィンドウにフォーカスを合わせると、スクリプトはもう一方のウィンドウを上げますが、最初に選択したウィンドウにフォーカスを戻します(注-最高のパフォーマンスを得るために1/4秒の遅延があります)。

同じウィンドウを2回選択すると、スクリプトは終了します。ポップアップダイアログの閉じるボタンをクリックすると、スクリプトは終了します。

スクリプトソース

GitHub Gist としても利用可能

#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
Author: Sergiy Kolodyazhnyy
Date:  August 2nd, 2016
Written for: https://askubuntu.com/q/805515/295286
Tested on Ubuntu 16.04 LTS
"""
import gi
gi.require_version('Gdk', '3.0')
gi.require_version('Gtk', '3.0')
from gi.repository import Gdk, Gtk
import time
import subprocess
import sys
import argparse


def run_cmd(cmdlist):
    """ Reusable function for running Shell commands"""
    try:
        stdout = subprocess.check_output(cmdlist)
    except subprocess.CalledProcessError:
        sys.exit(1)
    else:
        if stdout:
            return stdout


def focus_windows_in_order(first, second, scr):
    """Raise two user-defined windows above others.
       Takes two XID integers and screen object.
       Window with first XID will have the focus"""

    first_obj = None
    second_obj = None

    for window in scr.get_window_stack():
        if window.get_xid() == first:
            first_obj = window
        if window.get_xid() == second:
            second_obj = window

    # When this  function is called first_obj is alread
    # raised. Therefore we must raise second one, and switch
    # back to first
    second_obj.focus(int(time.time()))
    second_obj.get_update_area()
    # time.sleep(0.25)
    first_obj.focus(int(time.time()))
    first_obj.get_update_area()


def get_user_window():
    """Select two windows via mouse. Returns integer value of window's id"""
    window_id = None
    while not window_id:
        for line in run_cmd(['xwininfo', '-int']).decode().split('\n'):
            if 'Window id:' in line:
                window_id = line.split()[3]
    return int(window_id)


def main():
    """ Main function. This is where polling for window stack is done"""

    # Parse command line arguments
    arg_parser = argparse.ArgumentParser(
        description="""Linker for two X11 windows.Allows raising """ +
                    """two user selected windows together""")
    arg_parser.add_argument(
                '-q','--quiet', action='store_true',
                help='Blocks GUI dialogs.',
                required=False)
    args = arg_parser.parse_args()

    # Obtain list of two user windows
    user_windows = [None, None]
    if not args.quiet:
        run_cmd(['zenity', '--info', '--text="select first window"'])
    user_windows[0] = get_user_window()
    if not args.quiet:
        run_cmd(['zenity', '--info', '--text="select second window"'])
    user_windows[1] = get_user_window()

    if user_windows[0] == user_windows[1]:
        run_cmd(
            ['zenity', '--error', '--text="Same window selected. Exiting"'])
        sys.exit(1)

    screen = Gdk.Screen.get_default()
    flag = False

    # begin watching for changes in window stack
    while True:

        window_stack = [window.get_xid()
                        for window in screen.get_window_stack()]

        if user_windows[0] in window_stack and user_windows[1] in window_stack:

            active_xid = screen.get_active_window().get_xid()
            if active_xid not in user_windows:
                flag = True

            if flag and active_xid == user_windows[0]:
                focus_windows_in_order(
                    user_windows[0], user_windows[1], screen)
                flag = False

            Elif flag and active_xid == user_windows[1]:
                focus_windows_in_order(
                    user_windows[1], user_windows[0], screen)
                flag = False

        else:
            break

        time.sleep(0.15)


if __== "__main__":
    main()

ノート:

9

任意の数のウィンドウを1つに上げる

以下の解決策では、anyを組み合わせて、キーボードショートカットで1つとして表示する2つ、3つ、またはそれ以上のウィンドウの組み合わせを選択できます。

スクリプトは、3つの引数を使用して動作します。

add

アクティブなウィンドウをグループに追加するには

raise

セットグループを上げる

clear

グループをクリアして、新しいグループを定義する準備ができました

スクリプト

#!/usr/bin/env python3
import sys
import os
import subprocess

wlist = os.path.join(os.environ["HOME"], ".windowlist")

arg = sys.argv[1]

if arg == "add":
    active = subprocess.check_output([
        "xdotool", "getactivewindow"
        ]).decode("utf-8").strip()
    try:
        currlist = open(wlist).read()
    except FileNotFoundError:
        currlist = []
    if not active in currlist:
        open(wlist, "a").write(active + "\n")
Elif arg == "raise":
    group = [w.strip() for w in open(wlist).readlines()]
    [subprocess.call(["wmctrl", "-ia", w]) for w in group]
Elif arg == "clear":
    os.remove(wlist)

使い方

  1. スクリプトにはwmctrlおよびxdotoolが必要です。

    Sudo apt-get install wmctrl xdotool
    
  2. 上記のスクリプトを空のファイルにコピーし、groupwindows.pyとして保存します
  3. テスト-スクリプトを実行します。2つのターミナルウィンドウを開き、コマンドを実行します。

    python3 /absolute/path/to/groupwindows.py add
    

    それらの両方で。それらを他のウィンドウで覆います(または最小化します)。 3番目のターミナルウィンドウを開き、次のコマンドを実行します。

    python3 /absolute/path/to/groupwindows.py raise
    

    最初の2つのウィンドウは1つとして表示されます。

  4. すべて正常に機能する場合は、3つのカスタムショートカットキーを作成します。[システム設定]> [キーボード]> [ショートカット]> [カスタムショートカット]を選択します。 「+」をクリックして、以下のコマンドを3つの個別のショートカットに追加します。

    私のシステムでは、次を使用しました。

    Alt+A、コマンドの実行:

    python3 /absolute/path/to/groupwindows.py add
    

    ...グループにウィンドウを追加します。

    Alt+R、コマンドの実行:

    python3 /absolute/path/to/groupwindows.py raise
    

    ...グループを上げる。

    Alt+C、コマンドの実行:

    python3 /absolute/path/to/groupwindows.py clear
    

    ...グループをクリアする

説明

スクリプトは非常に簡単に機能します。

  • 引数addを指定して実行すると、スクリプトはアクティブウィンドウのwindow-idを隠しファイル~/.windowlistに格納/追加します
  • 引数raiseを指定して実行すると、スクリプトはファイルを読み取り、コマンドでリスト内のウィンドウを表示します。

    wmctrl -ia <window_id>
    
  • 引数clearを指定して実行すると、スクリプトは隠しファイル~/.windowlistを削除します。

ノート

  • スクリプトは最小化されたウィンドウでも動作し、最小化された可能性のあるウィンドウの最小化を解除します
  • ウィンドウのセットが別のビューポートにある場合、スクリプトは対応するビューポートに切り替わります
  • このセットはフレキシベルです。他のウィンドウを現在のセットにいつでも追加できます。

より柔軟性がありますか?

前述のように、上記のスクリプトでは、グループ化されたウィンドウにいつでもウィンドウを追加できます。以下のバージョンでは、グループ化されたリストのremoving任意のウィンドウ(いつでも)も使用できます。

#!/usr/bin/env python3
import sys
import os
import subprocess

wlist = os.path.join(os.environ["HOME"], ".windowlist")
arg = sys.argv[1]
# add windows to the group
if arg == "add":
    active = subprocess.check_output([
        "xdotool", "getactivewindow"
        ]).decode("utf-8").strip()
    try:
        currlist = open(wlist).read()
    except FileNotFoundError:
        currlist = []
    if not active in currlist:
        open(wlist, "a").write(active + "\n")
# delete window from the group
if arg == "delete":
    try:
        currlist = [w.strip() for w in open(wlist).readlines()]
    except FileNotFoundError:
        pass
    else:
        currlist.remove(subprocess.check_output([
            "xdotool", "getactivewindow"]).decode("utf-8").strip())      
        open(wlist, "w").write("\n".join(currlist)+"\n")
# raise the grouped windows
Elif arg == "raise":
    group = [w.strip() for w in open(wlist).readlines()]
    [subprocess.call(["wmctrl", "-ia", w]) for w in group]
# clear the grouped window list
Elif arg == "clear":
    os.remove(wlist)

スクリプトを実行するための追加の引数はdeleteなので、次のようになります。

python3 /absolute/path/to/groupwindows.py delete

グループ化されたウィンドウからアクティブなウィンドウを削除します。このコマンドを実行するには、システムで次のように設定します Alt+D ショートカットとして。

6
Jacob Vlijm