1

我有一项任务非常适合 bash for 循环。但情况是,一些迭代似乎没有终止。我正在寻找的是一种引入超时的方法,如果该迭代command在例如两个小时后没有终止,它将终止,并继续进行下一次迭代。

粗略的轮廓:

for somecondition; do
   while time-run(command) < 2h do
     continue command
   done
done
4

2 回答 2

2

一种(乏味的)方法是在后台启动进程,然后启动另一个后台进程,在固定超时后尝试杀死第一个进程。

timeout=7200   # two hours, in seconds
for somecondition; do
    command & command_pid=$!
    ( sleep $timeout & wait; kill $command_pid 2>/dev/null) &  sleep_pid=$!
    wait $command_pid
    kill $sleep_pid 2>/dev/null   # If command completes prior to the timeout

done

wait命令会阻塞,直到原始命令完成,无论是自然的还是因为它在完成后被杀死sleep。在用户试图中断进程的情况下使用立即之后,因为忽略wait了大多数信号,但是是可中断的。sleepsleepwait

于 2013-09-22T20:13:56.247 回答
0

如果我正确理解了您的要求,那么您有一个需要运行的流程,但是您想确保如果它卡住了它会继续运行,对吗?我不知道这是否会完全帮助你,但这是我不久前写的一些类似的东西(我已经改进了一点,但我目前只能获得一个要点,我会以后用更好的版本更新)。

#!/bin/bash

######################################################
# Program:      logGen.sh
# Date Created: 22 Aug 2012
# Description:  parses logs in real time into daily error files
# Date Updated: N/A
# Developer:    @DarrellFX
######################################################
#Prefix for pid file
pidPrefix="logGen"
#output direcory
outDir="/opt/Redacted/logs/allerrors"
#Simple function to see if running on primary
checkPrime ()
{
  if /sbin/ifconfig eth0:0|/bin/grep -wq inet;then isPrime=1;else isPrime=0;fi
}


#function to kill previous instances of this script
killScript ()
{
  /usr/bin/find /var/run -name "${pidPrefix}.*.pid" |while read pidFile;do
    if [[  "${pidFile}" != "/var/run/${pidPrefix}.${$}.pid" ]];then
      /bin/kill -- -$(/bin/cat ${pidFile})
      /bin/rm ${pidFile}
    fi
  done
}


#Check to see if primary
#If so, kill any previous instance and start log parsing
#If not, just kill leftover running processes


checkPrime
if [[ "${isPrime}" -eq 1 ]];then
  echo "$$" > /var/run/${pidPrefix}.$$.pid
  killScript
  commands && commands && commands #Where the actual command to run goes. 
else
  killScript
  exit 0
fi

然后我将此脚本设置为每小时在 cron 上运行一次。每次运行脚本时,它

  • 创建一个以描述脚本的变量命名的锁定文件,该脚本包含该脚本实例的 pid
  • 调用函数 killScript :
    • 使用 find 命令查找该脚本版本的所有锁定文件(这允许将这些脚本中的多个脚本设置为一次在 cron 中运行,用于不同的任务)。对于它找到的每个文件,它都会杀死该锁定文件的进程并删除锁定文件(它会自动检查它是否没有杀死自己)
  • 开始做我需要运行的任何事情,而不是卡住(我省略了这一点,因为这是我在 python 中重做的可怕的 bash 字符串操作)。

如果这不能让你平方让我知道。


几点注意事项:

  • checkPrime 函数做得不好,应该返回一个状态,或者只是退出脚本本身
  • 更好的方法来创建锁定文件并确保它的安全,但到目前为止这对我有用(着名的遗言)
于 2013-09-23T07:30:09.390 回答