Como abrir a última janela do terminal com uma tecla de atalho?

11

Eu uso o terminal com tanta frequência para fazer comandos rápidos e depois deixo em segundo plano para que eu termine recebendo mais de 20 sessões de terminal abertas enquanto estou trabalhando. Isso é porque é muito rápido simplesmente usar a tecla de atalho e digitar um comando.

Existe uma maneira de configurar a tecla de atalho para que eu traga minha última janela de terminal em vez de criar uma nova?

    
por Klik 19.03.2015 / 15:49

7 respostas

13

Eu tenho um terminal fixado à barra lateral do meu Unity lançador na posição 10. Desta forma, eu posso pressionar Super + 0 para "clicar" no ícone do lançador que traz as últimas janela do terminal para o topo.

Se tê-lo no lançador é ok para você (uma das primeiras 10 posições, caso contrário, não vai ter um atalho!), isso vai funcionar.

    
por Byte Commander 19.03.2015 / 15:56
10

Eu uso guake e estou muito feliz com isso. Pressione F12, uma janela de terminal aparece, pressione F12 novamente, ela desaparece, mas continua correndo em segundo plano. Além disso: parece muito legal.

    
por Jos 19.03.2015 / 16:09
6

Você pode colocar o script abaixo em uma combinação de teclas. Se você pressionar a combinação de teclas, a (s) janela (s) do terminal desaparecerá (completamente). Pressione novamente, eles aparecerão novamente exatamente no estado que você tinha.

A única coisa que você precisa para (uma vez) é adicionar a string identificadora no nome da janela do seu terminal (a janela do terminal tem o mesmo nome na maioria dos casos)

Para usá-lo

Instale os dois xdotool e wmctrl :

sudo apt-get install xdotool
sudo apt-get install wmctrl
  1. Copie o script em um arquivo vazio, salve-o como hide_terminal.py
  2. Na seção head, defina a string de identificação do nome da janela do terminal
  3. Execute-o sob uma combinação de teclas:

    python3 /path/to/hide_terminal.py
    

O script

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

home = os.environ["HOME"]
hidden_windowid = home+"/.window_id.txt"

get = lambda cmd: subprocess.check_output(cmd).decode("utf-8")
# --- set the identifying string in the terminal window's name below (you mentioned "Terminal"
window_idstring = "Special_window"
# ---
def execute(cmd):
    subprocess.check_call(cmd)

w_id = [l.split()[0] for l in get(["wmctrl", "-l"]).splitlines() if window_idstring in l]
if len(w_id) !=0:
    for w in w_id:
        execute(["xdotool", "windowunmap", w])
        with open(hidden_windowid, "a") as out:
            out.write(w+"\n")
else:
    try:
        with open(hidden_windowid) as read:
            for w in [w.strip() for w in read.readlines()]:
                try:
                    execute(["xdotool", "windowmap", w])
                except subprocess.CalledProcessError:
                    pass
        with open(hidden_windowid, "wt") as clear:
            clear.write("")
    except FileNotFoundError:
        pass
    
por Jacob Vlijm 19.03.2015 / 16:14
5

É a mesma coisa que a resposta de Jacob Vlijm, apenas escrita em bash:

 
#!/usr/bin/env bash

## window_name will be the first argument passed or, if no
## argument was given, "Terminal"
window_name=${1:-"Terminal"}

## Get the list of open terminals
terms=( $(wmctrl -l | grep "$window_name" | cut -d ' ' -f 1) )

## If all terminals are hidden
if [ -z "${terms[0]}" ]
then
    ## Read the IDs of hidden windows from .hidden_window_id
    while read termid
    do
        xdotool windowmap "$termid"
    done < ~/.hidden_window_id
## If there are visible terminals
else
    ## Clear the .hidden_window_id file
    > ~/.hidden_window_id
    ## For each open terminal
    for i in "${terms[@]}"
    do
        ## Save the current ID into the file
        printf "%s\n" "$i" >> ~/.hidden_window_id
        ## Hide the window
        xdotool windowunmap "$i"
    done
fi

Se você salvá-lo como ~/bin/show_hide.sh , poderá executá-lo fornecendo a string identificadora de qualquer janela que deseja ocultar. Se nenhuma string for dada, ela funcionará em Terminal :

show_hide.sh Terminal
    
por terdon 19.03.2015 / 20:56
1

Estou usando gnome-shell com a extensão 'Drop Down Terminal', o atalho padrão é TAB , mas é facilmente alterado.

    
por perdigueiro 20.03.2015 / 00:20
1

Este simples comando wmctrl irá levantar uma janela com uma dada string no título ou se não existir nenhuma janela contendo a string, execute um comando.

wmctrl -a <str> || <command to launch application>

por exemplo, para o gedit eu posso usar

wmctrl -a gedit || gedit

Para encontrar uma string adequada para a janela do aplicativo, abra o aplicativo e execute

wmctrl -l
    
por Glen.S 24.03.2015 / 00:01
0

a seguinte abordagem funcionou para mim:

#!/usr/bin/env bash

# Written by Eric Zhiqiang Ma (http://www.ericzma.com)
# Last update: Jul. 9, 2014

# Read the tutorials at
# http://www.systutorials.com/5475/turning-gnome-terminal-to-a-pop-up-terminal/

# Required tools: xdotool

terminal="gnome-terminal"
stat_file="/dev/shm/actiavte-termianl.term.$USER"
termtype="Terminal"
wait_sec=1
max_wait_cnt=4

# parse options first
if [ "" != "" ]; then
    terminal=""
fi


term_exists () {
    allterms='xdotool search --class "$termtype"'
    for e in $allterms; do [[ "$e" == "" ]] && return 0; done
    return 1
}

create_terminal () {
    echo "Create new terminal"
    $terminal --maximize &

    exists=1
    wait_cnt=0
    until [ "$exists" == "0" ]; do
        # sleep a while
        sleep $wait_sec

        # Note that the focus window may be from a terminal that
        # already exists; the makes create_terminal choose the existing terminal
        # Making the wait_sec large enough so that the terminal can be created and
        # displayed can make the false choosing more unlikely.

        term=$(xdotool getwindowfocus)
        term_exists "$term"
        exists=$?
        # avoid infinite wait
        let wait_cnt=wait_cnt+1
        if [ $wait_cnt -gt $max_wait_cnt ]; then
            echo "Wait for too long. Give up."
            term=""
            exists=0
        fi
    done

    echo "Created terminal window $term"
    # save the state
    echo "$term" >$stat_file
}

# read the state
if [ -f $stat_file ]; then
    term=$(cat $stat_file)
fi

# check whether it exists
term_exists "$term"
exists=$?
if [[ "$exists" != "0" ]]; then
    create_terminal
    exit 0
fi

# check whether it is already activated
curwin=$(xdotool getwindowfocus)

if [ "$term" == "$curwin" ]; then
    # deactivate (minimize) the terminal if it is currently activated
    xdotool windowminimize $curwin
else
    # activate the terminal if it is not currently activated
    xdotool windowactivate $term
fi

exit 0

depois é só dar permissões de execução e vincular o script a uma chave nas configurações.

source:

link

    
por DmitrySemenov 20.01.2017 / 21:24