关闭一个特定的 GNOME 终端命令

关闭一个特定的 GNOME 终端命令

我运行这样的循环(持续一小时):

#!/bin/bash
gnome-terminal --geometry=50x30 --working-directory=/$HOME/TEST --title terminal1 -e  ' sh -c "./FirstAPP; exec bash"'
while true; do
    if [ ! pgrep SecondAPP ]; then
        gnome-terminal --geometry=50x30 --working-directory=/$HOME/TEST --title terminal2 -e  ' sh -c "./SecondAPP; exec bash"'
        for ((i=0; i<3600; i+=5)); do
            sleep 5
            if [ ! pgrep SecondAPP ]; then
                break
            fi
        done
        killall -9 SecondAPP > /dev/null 2>&1 
    # Iwant here a command that closes the gnome-terminal "terminal2"
    fi
    sleep 5
done

我运行了这个循环,发现在终端 2 中进程被终止了,但终端仍然打开。是否有标志或其他东西可以关闭终端 2?

还是我的实现有误?

PS. 我是 Ubuntu 的新手,我查看了关闭特定终端,但我不认为它适用于我的情况。

答案1

您正在终止程序SeondApp,但您没有终止正在运行它的终端。两者是分开的。例如,这是gedit在终端中运行的进程树:

$ gedit &
[1] 13064
$ pstree -s 13064
systemd───systemd───gnome-terminal-───bash───gedit───4*[{gedit}]

忽略systemd,这就是init进程,您机器上运行的所有进程都是 的子进程systemd。然后,您会看到 已gnome-terminal 启动bash,然后运行gedit​​。如果您现在杀死gedit,这不会影响其父进程。但是,如果您杀死其中一个父进程,这也会杀死子进程。

通常,你会使用$!一个特殊变量来保存最后启动到后台的进程的 PID。不幸的是,这gnome-terminal似乎没有某种复杂的启动程序:

$ gnome-terminal &
[1] 23861
$ ps aux | grep 23861
terdon   24341  0.0  0.0   8684  2348 pts/11   S+   10:59   0:00 grep --color 23861
$ pgrep gnome-terminal
23866

如上所示,gnome-terminal 似乎在启动后重新启动并使用不同的 PID。不知道为什么,但这也是使用不同终端的另一个好理由。

因此,由于标准方法不起作用,我们需要一种解决方法。你可以使用kill -$PID它将终止进程组中的所有进程(来自man kill):

-n  where n is larger than 1.  All processes in process  group  n  are
    signaled.   When  an argument of the form '-n' is given, and it is
    meant to denote a process group, either a signal must be specified
    first,  or  the argument must be preceded by a '--' option, other‐
    wise it will be taken as the signal to send.

综合以上所有,这是您的脚本的工作版本:

#!/bin/bash
gnome-terminal --geometry=50x30 --working-directory=/$HOME/TEST --title terminal1 \
               -e  ' sh -c "./FirstAPP; exec bash"'
while true; do
    if ! pgrep SecondAPP; then
        gnome-terminal --geometry=50x30 --working-directory=/$HOME/TEST \
            --title terminal2 -e  'SecondAPP' &
        for ((i=0; i<3600; i+=5)); do
          sleep 5
          if ! pgrep SecondAPP; then
            break
          fi
        done
        ## Now, get the PID of SecondAPP
        pid=$(pgrep SecondAPP)
        ## Using -$pid will kill all process in the process group of $pid, so
        ## it will kill SecondAPP and its parent process, the terminal.
        kill -- -$pid
    fi
    sleep 5
done

请注意,我还删除了[ ]around,! pgrep因为那是错误的语法。


不过我不明白你为什么要启动终端。这是同样的想法,但没有终端:

#!/bin/bash

$HOME/TEST/FirstAPP
while true; do
    if ! pgrep SecondAPP; then
      #$HOME/TEST/SecondAPP &
      SecondAPP &
      pid=$!
        for ((i=0; i<3600; i+=5)); do
          sleep 5
          if ! pgrep SecondAPP; then
            break
          fi
        done
        kill $pid
    fi
    sleep 5
done

最后,这感觉像是一种奇怪的做事方式。您可能想提出一个新问题,解释您要做什么以及为什么这样做,我们可以看看是否能找到一种更简单的方法来满足您的需求。

相关内容