Bash脚本等待进程并获取返回码


13

我正在尝试创建一个脚本,它将启动许多后台命令。对于每个后台命令,我需要获取返回码。

我一直在尝试以下脚本:

 #!/bin/bash
set -x
pid=()
return=()


for i in 1 2
do
 echo start $i
 ssh mysql "/root/test$i.sh" &
 pid[$i]=$!
done

for i in ${#pid[@]}
do
echo ${pid[$i]}
wait ${pid[$i]}
return[$i]=$?

if [ ${return[$i]} -ne 0 ]
then
  echo mail error
fi

done

echo ${return[1]}
echo ${return[2]}

我的问题是在等待循环中,如果第二个pid在第一个pid之前完成,我将无法获得返回代码。

我知道我可以运行wait pid1 pid2,但是使用此命令我无法获得所有命令的返回码。

任何的想法 ?

Answers:


6

您可以通过使用临时目录来执行此操作。

# Create a temporary directory to store the statuses
dir=$(mktemp -d)

# Execute the backgrouded code. Create a file that contains the exit status.
# The filename is the PID of this group's subshell.
for i in 1 2; do
    { ssh mysql "/root/test$i.sh" ; echo "$?" > "$dir/$BASHPID" ; } &
done

# Wait for all jobs to complete
wait

# Get return information for each pid
for file in "$dir"/*; do
    printf 'PID %d returned %d\n' "${file##*/}" "$(<"$file")"
done

# Remove the temporary directory
rm -r "$dir"

9

问题更多在于您

for i in ${#pid[@]}

哪个是for i in 2

它应该是:

for i in 1 2

要么

for ((i = 1; i <= ${#pid[@]}; i++))

wait "$pid" 返回作业的退出代码bash(和POSIX炮弹,但没有zsh),即使在工作时就已经终止wait已启动。


5

没有临时文件的通用实现。

#!/usr/bin/env bash

## associative array for job status
declare -A JOBS

## run command in the background
background() {
  eval $1 & JOBS[$!]="$1"
}

## check exit status of each job
## preserve exit status in ${JOBS}
## returns 1 if any job failed
reap() {
  local cmd
  local status=0
  for pid in ${!JOBS[@]}; do
    cmd=${JOBS[${pid}]}
    wait ${pid} ; JOBS[${pid}]=$?
    if [[ ${JOBS[${pid}]} -ne 0 ]]; then
      status=${JOBS[${pid}]}
      echo -e "[${pid}] Exited with status: ${status}\n${cmd}"
    fi
  done
  return ${status}
}

background 'sleep 1 ; false'
background 'sleep 3 ; true'
background 'sleep 2 ; exit 5'
background 'sleep 5 ; true'

reap || echo "Ooops! Some jobs failed"

谢谢:-)这正是我想要的!
Qorbani

0

斯特凡的答案是好的,但我希望

for i in ${!pid[@]}
do
    wait ${pid[i]}
    return[i]=$?
    unset "pid[$i]"
done

pid不管哪个条目仍然存在,它都会遍历数组的键,因此您可以对其进行调整,跳出循环并重新启动整个循环,这样就可以了。并且您不需要i以开头的连续值。

当然,如果您要处理成千上万个流程,那么当您拥有一个稀疏列表时,也许Stépane的方法会效率更高一些。

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.