0

日志文件由水下无人机在服务器上逐行写入。T在水面时,无人机与服务器的通话速度很慢(比如在不稳定的电话线上约 200o/s),并且只是偶尔(比如每 6 小时一次)。根据消息,当无人机在线以及挂断其他命令时,我必须在服务器上执行命令。其他进程可能正在查看具有相似任务的相同文件。

在这个网站上可以找到很多类似的问题,但我建立的解决方案仍然不能令人满意。目前我正在用 bash 做这个

while logfile_drone=`inotifywait -e create --format '%f' log_directory`; do

    logfile=log_directory/${logfile_drone}

    while action=`inotifywait -q -t 120 -e modify  -e close --format '%e' ${logfile} ` ; do

        exidCode=$?
        lastLine=$( tail -n2  ${logFile} | head -n1 ) # because with tail -n1 I can got only part of the line. this happens quite often
        match =$( # match set to true if lastLine matches some pattern )

        if [[ $action == 'MODIFY' ]] && $match ; then # do something ; fi

        if [[ $( echo $action | cut -c1-5 ) == 'CLOSE' ]] ; then 
            # do something
            break
        fi  

        if [[ $exitCode -eq 2 ]] ; then break ; fi  

    done

    # do something after the drone has hang up

done # wait for a new call from the same or another drone

主要问题是:

  1. 第二个 inotify 未命中行,可能是因为其他进程正在查看同一文件。

  2. 我赶时间的方式似乎不起作用。

  3. 我无法同时监控 2 架无人机。

基本上代码或多或少地工作,但不是很健壮。我想知道问题 3 是否可以通过将第二个 while 循环放在调用时置于后台的函数中来管理。最后,我想知道高级语言(我熟悉 php,它具有用于 inotify 的 PECL 扩展)是否会做得更好。但是,我认为 php 不会比 bash 更好地解决问题 3。

这是我面临从while循环突然退出问题的代码,根据Philippe's答案实现,否则效果很好:

    while read -r action ; do
        ...
        resume=$( grep -e 'RESUMING MISSION' <<< $lastLine )
        if [ -n "$resume" ] ; then
            ssh user@another_server "/usr/bin/php /path_to_matlab_command/matlabCmd.php --drone=${vehicle}" &
        fi

        if [  $( echo $action | cut -c1-5 ) == 'CLOSE' ] ; then ... ; sigKill=true ; fi
        ...
        if $sigKill ; then break; fi

    done < <(inotifywait -q -m -e modify  -e close_write   --format '%e' ${logFile})

当我用 ssh 注释该行时,脚本可以通过 CLOSE 触发的中断正确退出,否则while loop在 ssh 命令后突然结束。ssh 被置于后台,因为 matlab 代码运行时间长。

4

1 回答 1

0

monitor mode (-m)ofinotifywait可能会在这里更好地发挥作用:

inotifywait -m -q -e create -e modify -e close log_directory |\
while read -r dir action file; do
    ...
done

monitor mode (-m)不缓冲,它只是将所有事件打印到标准输出。

要保留变量:

while read -r dir action file; do
    echo $dir $action $file
done < <(inotifywait -m -q -e create -e modify -e close log_directory)

echo "End of script"
于 2020-04-19T18:55:27.367 回答