4

我想知道是否有人可以帮助解决这个问题?

我有一个 bash 脚本。它启动一个子进程,这是另一个基于 gui 的应用程序。然后 bash 脚本进入交互模式,从用户那里获取输入。这种交互模式无限期地继续下去。我希望它在子进程中的 gui 应用程序退出时终止。

我看过 SIGCHLD 但这似乎不是答案。这是我尝试过的,但是当 prog 结束时我没有收到信号。

set -o monitor

"${prog}" &
prog_pid=$!

function check_pid {
    kill -0 $1 2> /dev/null
}

function cleanup {
    ### does cleanup stuff here
    exit
}


function sigchld {
    check_pid $prog_pid
    [[ $? == 1 ]] && cleanup
}

trap sigchld SIGCHLD

更新了以下答案。我现在使用“nosid”的建议进行这项工作。我现在有另一个相关的问题,即接下来的交互过程是一个基本的菜单驱动过程,它阻止等待用户的键输入。如果子进程结束 USR1 信号直到收到输入后才被处理。有没有办法强制立即处理信号?

等待看起来像这样:

stty raw                 # set the tty driver to raw mode 
max=$1                   # maximum valid choice
choice=$(expr $max + 1)  # invalid choice
while [[ $choice -gt $max ]]; do
    choice=`dd if=/dev/tty bs=1 count=1 2>/dev/null`
done
stty sane                # restore tty

更新了解决方案。我已经解决了这个问题。诀窍是使用非阻塞 I/O 进行读取。现在,有了“nosid”的答案和我的修改,我得到了我想要的。为了完整起见,这对我有用:

#!/bin/bash -bm
{
"${1}"
kill -USR1 $$
} &

function cleanup {
    # cleanup stuff
    exit
}

trap cleanup SIGUSR1

while true ; do
   stty raw                 # set the tty driver to raw mode 
   max=9                    # maximum valid choice
   while [[ $choice -gt $max || -z $choice ]]; do
       choice=`dd iflag=nonblock if=/dev/tty bs=1 count=1 2>/dev/null`
   done
   stty sane                # restore tty

   # process choice       

done
4

4 回答 4

7

这是一种不同的方法。您可以在 GUI 应用程序终止后立即执行任意命令,而不是使用 SIGCHLD。

{
    some_command args...
    kill -USR1 $$
} &

function sigusr1() { ... }

trap sigusr1 SIGUSR1
于 2012-10-05T18:04:31.240 回答
1

行。我想我明白你需要什么。看看我的 .xinitrc:

   xrdb ~/.Xdefaults
   source ~/.xinitrc.hw.settings
   xcompmgr &
   xscreensaver &
   # after starting some arbitrary crap we want to start the main gui.       

   startfluxbox &  PIDOFAPP=$! ## THIS IS THE IMPORTANT PART
   setxkbmap genja

   wmclockmon -bl &


   sleep 1
   wmctrl -s 3  && aterms sone &
   sleep 1
   wmctrl -s 0


   wait $PIDOFAPP ## THIS IS THE SECOND PART OF THE IMPORTANT PART

   xeyes -geometry 400x400+500+400 &
   sleep 2
   echo im out!

发生的情况是,在将进程发送到后台后,您可以使用 wait 等到进程终止。只要应用程序正在运行,等待之后的任何内容都不会执行。在 GUI 关闭后,您可以使用它退出。

PS:我运行 bash。

于 2012-10-05T21:44:19.120 回答
0

我认为你需要这样做:

set -bm

或者

set -o monitor notify

根据bash 手册

-b
    Cause the status of terminated background jobs to be reported immediately, rather than before printing the next primary prompt.
于 2012-10-05T17:59:00.210 回答
0

shell 的主要工作是执行子进程,它需要捕获 SIGCHLD 以达到自己的目的。这以某种方式限制了它将信号传递给脚本本身。

你能检查一下孩子pid并根据它发送警报吗?您可以通过以下方式找到孩子pid——

bash_pid=$$
while true
do
    children=`ps -eo ppid | grep -w $bash_pid`
    if [ -z "$children" ]; then
        cleanup
        alert
        exit
    fi
done
于 2012-10-05T18:02:15.310 回答