Como desativar cantos quentes para janelas maximizadas

4

Eu tenho um hotcorner no canto superior esquerdo para mostrar todas as janelas e no canto inferior direito para mostrar espaços de trabalho. É irritante quando estes continuam ativando durante um jogo. Existe alguma maneira de definir o Compiz para ignorar cantos quentes quando há uma janela de tela cheia?

    
por John 28.02.2017 / 18:03

1 resposta

5

Abaixo de duas opções; um script para desabilitar todos os hotcorners (temporariamente) se sua janela ativa estiver maximizada, e um para desabilitar apenas os hotcorners específicos e ações que você mencionou na pergunta.

Ambos os scripts são extremamente leves e não sobrecarregam o seu sistema.

1. Desativar todos hotcorners se a janela ativa estiver em tela cheia

O patch de plano de fundo abaixo desativará todos hotcorners se (e enquanto) a janela ativa estiver maximizada (tela cheia).

O script

#!/usr/bin/env python3
import subprocess
import time
import ast
import os

edgedata = os.path.join(os.environ["HOME"], ".stored_edges")
key = "/org/compiz/profiles/unity/plugins/"
corners = [
    "|TopRight", "|TopLeft", "|BottomLeft", "|Right",
    "|Left", "|Top", "|Bottom", "|BottomRight",
    ]

def get(cmd):
    # just a helper function
    try:
        return subprocess.check_output(cmd).decode("utf-8").strip()
    except subprocess.CalledProcessError:
        pass

def setval(cmd):
    # just another helper function
    subprocess.Popen(cmd)

def check_win():
    # see if the active window is maximized
    # get the active window, convert the id to wmctrl format
    windata = get(["wmctrl", "-lG"])
    if windata: 
        w = hex(int(get(["xdotool", "getactivewindow"])))
        front = w[:2]+((10-len(w))*"0")+w[2:]
        # look up the window size
        match = [l for l in windata.splitlines() if front in l][0].split()[4:6]
        # and compare them, if equal -> window is maximized
        return match == res

def get_res():
    # look up screen resolution
    scrdata = get("xrandr").split(); resindex = scrdata.index("connected")+2
    return [n for n in scrdata[resindex].split("+")[0].split("x")]

def get_edges():
    # get data from dump, remember 
    data = get(["dconf", "dump", key]).split()
    for s in data:
        if s.startswith("["):
            k = s.replace("[", "").replace("]", "/")
        elif any([[c in s][0] for c in corners]):
            currval = s.split("=")
            stored = ["dconf", "write", key+k+currval[0], currval[1]]
            tempval = ["dconf", "write", key+k+currval[0], "''"]
            open(edgedata, "a+").write(str(stored)+"\n")
            setval(tempval)

def set_stored():
    # set the stored values
    try:
        prev = open(edgedata).readlines()
    except FileNotFoundError:
        pass
    else:
        for l in  [l.strip() for l in open(edgedata).readlines()]:
            toset = ast.literal_eval(l)
            setval(toset)
        os.remove(edgedata)

res = get_res()
state1 = None

while True:
    time.sleep(1)
    state2 = check_win()
    if state2 != None:
        if state2 != state1:
            get_edges() if state2 else set_stored()
        state1 = state2

Como usar

  1. O script precisa dos dois xdotool e wmctrl :

    sudo apt-get install wmctrl xdotool
    
  2. Copie o script em um arquivo vazio, como disable_corners.py
  3. Teste- execute o script a partir de um terminal com o comando:

    python3 /path/to/disable_corners.py
    
  4. Se tudo funcionar bem, adicione-o aos aplicativos de inicialização: Dash > Aplicativos de inicialização > Adicionar. Adicione o comando:

    /bin/bash -c "sleep 10 && python3 /path/to/disable_corners.py"
    

2. Desativar somente arestas específicas se a janela ativa estiver em tela cheia

O script (plano de fundo) abaixo desabilitará as duas ações de cantos mencionadas se a janela ativa estiver maximizada.

O script

#!/usr/bin/env python3
import subprocess
import time

key = "/org/compiz/profiles/unity/plugins"
active1 = "'|BottomRight'"; active2 = "'|TopLeft'"

def get(cmd):
    # just a helper function
    try:
        return subprocess.check_output(cmd).decode("utf-8")
    except subprocess.CalledProcessError:
        pass

def setval(cmd):
    # just another helper function
    subprocess.Popen(cmd)

def check_win():
    # see if the active window is maximized
    # get the active window, convert the id to wmctrl format
    windata = get(["wmctrl", "-lG"])
    if windata: 
        w = hex(int(get(["xdotool", "getactivewindow"])))
        front = w[:2]+((10-len(w))*"0")+w[2:]
        # look up the window size
        match = [l for l in windata.splitlines() if front in l][0].split()[4:6]
        # and compare them, if equal -> window is maximized
        return match == res

def get_res():
    # look up screen resolution
    scrdata = get("xrandr").split(); resindex = scrdata.index("connected")+2
    return [n for n in scrdata[resindex].split("+")[0].split("x")]

res = get_res()
state1 = None

while True:
    time.sleep(1)
    state2 = check_win()
    if state2 != None:
        if state2 != state1:
            newws = "''" if state2 else active1
            # below the specific edges to take care of
            setval(["dconf", "write", key+"/expo/expo-edge", newws])
            newspread = "''" if state2 else active2
            setval(["dconf", "write", key+"/scale/initiate-edge", newspread])
        state1 = state2

Como usar

O uso e a configuração são exatamente iguais à opção 1.

Explicação

  • Na inicialização do script, o script verifica a resolução da tela.
  • Uma vez por segundo, o script verifica o tamanho da janela ativa e a compara à resolução da tela.
  • Se o tamanho da janela e a resolução forem iguais, a janela está obviamente maximizada.
  • Se houver uma alteração na situação (maximizada / não maximizada), o script define / desmarca os hotcorners definidos usando os comandos:

    dconf write /org/compiz/profiles/unity/plugins/expo/expo-edge "''"
    
    dconf write /org/compiz/profiles/unity/plugins/scale/initiate-edge "''"
    

    para desativar ou

    dconf write /org/compiz/profiles/unity/plugins "'|BottomRight'"
    
    dconf write /org/compiz/profiles/unity/plugins "'|TopLeft'"
    

    para ativar.

por Jacob Vlijm 28.02.2017 / 20:33