有时我的bash脚本挂起并保持没有明确的理由
所以他们实际上可以永远挂起(脚本进程会一直运行直到我杀了它)
是否可以在bash脚本超时机制中组合以便在例如半小时后退出程序?
答案 0 :(得分:8)
如果你有Gnu coreutils,你可以使用timeout
命令:
timeout 1800s ./myscript
要检查是否发生超时,请检查状态代码:
timeout 1800s ./myscript
if (($? == 124)); then
echo "./myscript timed out after 30 minutes" >>/path/to/logfile
exit 124
fi
答案 1 :(得分:3)
此Bash-only方法通过将函数作为后台作业运行来封装脚本中的所有超时代码,以强制执行超时:
#!/bin/bash
Timeout=1800 # 30 minutes
function timeout_monitor() {
sleep "$Timeout"
kill "$1"
}
# start the timeout monitor in
# background and pass the PID:
timeout_monitor "$$" &
Timeout_monitor_pid=$!
# <your script here>
# kill timeout monitor when terminating:
kill "$Timeout_monitor_pid"
请注意,该功能将在单独的过程中执行。因此,必须传递受监视进程的PID($$
)。为了简洁起见,我省略了通常的参数检查。