是否可以从 bash 脚本中设置超时?
Is it possible to set time out from bash script?
有时我的 bash 脚本会在没有明确原因的情况下挂起并保持
所以它们实际上可以永远挂起(脚本进程将 运行 直到我杀死它)
是否可以结合 bash 脚本超时机制以便在例如 ½ 小时后退出程序?
如果你有 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
这种仅 Bash 的方法通过 运行 函数将所有超时代码封装在脚本中作为后台作业来强制执行超时:
#!/bin/bash
Timeout=1800 # 30 minutes
function timeout_monitor() {
sleep "$Timeout"
kill ""
}
# 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 ($$
)。为了简洁起见,我省略了通常的参数检查。
有时我的 bash 脚本会在没有明确原因的情况下挂起并保持
所以它们实际上可以永远挂起(脚本进程将 运行 直到我杀死它)
是否可以结合 bash 脚本超时机制以便在例如 ½ 小时后退出程序?
如果你有 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
这种仅 Bash 的方法通过 运行 函数将所有超时代码封装在脚本中作为后台作业来强制执行超时:
#!/bin/bash
Timeout=1800 # 30 minutes
function timeout_monitor() {
sleep "$Timeout"
kill ""
}
# 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 ($$
)。为了简洁起见,我省略了通常的参数检查。