Como posso esperar até que um aplicativo seja iniciado?

1

Em um script Bash, como posso esperar até que um aplicativo seja aberto?

Exemplo:

#!/bin/bash

# wait until Thunderbird open to then close its main window...
wmctrl -c "Mozilla Thunderbird"
    
por orschiro 19.02.2017 / 17:16

1 resposta

1

resposta básica é que você tem que monitorar a lista de janelas abertas para a mudança. Você pode fazer isso de várias maneiras, mas como você está usando wmctrl , você pode usar da seguinte forma:

#!/bin/bash
while true
do
    # get list of windows
    windows=$(wmctrl -l)
    # check if window is on the list
    if [[ "$windows" =~ "Mozilla Firefox" ]];
    then
         echo "found firefox, closing it  in 3 seconds"
         sleep 3 
         wmctrl -c "Mozilla Firefox"
    fi
    # delay until next loop iteration
    sleep 3
done

Como você também pediu um exemplo de loop até que a janela específica seja fechada, aqui está um exemplo editado com uma abordagem de loop alternativo (que provavelmente seria preferível; pelo menos essa é a estrutura que eu pessoalmente uso bastante):

#!/bin/bash
# Script enters into this while loop, and keeps checking
# if wmctrl -l lists firefox. Condition is true if firefox
# isn't there. When firefox appears, condition is false,
# loop exits
while ! [[ "$(wmctrl -l)" =~ "Mozilla Firefox" ]] 
do
    # number of seconds can be changed for better precision
    # but shorter time equals more pressure on CPU
    sleep 3
done

# Only after firefox appears , we get to here
echo "found firefox, closing it  in 3 seconds"
sleep 3 
wmctrl -c "Mozilla Firefox"

# Same idea as before - we enter the waiting loop,
# and keep looping until firefox is not on the list
windows=$(wmctrl -l)
while  [[ "$(wmctrl -l)" =~ "Mozilla Firefox" ]] 
do
    sleep 3
done
#When loop exits, that means firefox isn't on the list
echo "Script is done"
    
por Sergiy Kolodyazhnyy 19.02.2017 / 17:49