简短的故事:在我的Linux桌面上,每当创建或删除/dev
下的节点时,我都希望收到通知(当我插入一些设备时,知道创建了哪些节点真的很有用)。我写了两个天真的脚本:
第一个通过inotifywait
:
#!/bin/sh
inotifywait -m -e create,delete --timefmt '%Y.%m.%d-%H:%M:%S' --format '[%T] %e %w%f' /dev > /var/log/devdir_changes
生成的日志文件如下所示:
[2014.08.19-01:32:51] CREATE /dev/vcs63
[2014.08.19-01:32:51] CREATE /dev/vcsa63
监视该日志文件的第二个脚本(使用bash read
命令)并显示通知:
#!/bin/sh
while true; do
# -----------------------------------------------------------------------------------
# Now, listen for new messages
echo "listening for new messages.."
tail -f -n 0 /var/log/devdir_changes | \
while read time type message; do
notify-send "$type" "$message"
done
echo "restarting in 5 seconds.."
sleep 5
echo "restarting.."
done
echo "exiting."
它可以工作,但正如预期的那样,每个创建/删除的节点都有专用的通知气球。当我插入单个USB设备时通常有几个节点,有时真的很多。因此,当检测到新条目时,我会等待一段时间(比如200-300毫秒)以获得更多条目,并且只有在最后一次收到条目后超时后,才会使用notify-send
来收集条目。
我没有经验丰富的bash程序员(和linux用户),所以如果有人能给我一些关于如何正确实现正确的线索,我会很高兴。
答案 0 :(得分:1)
我对bash不太熟悉,但我认为你可以将tail的输出提供给while循环,就像下面的bash脚本一样:
#/bin/bash
# maximum time between records to be grouped
# in seconds, e.g. "0.300" for 300ms
#TIMEOUT=0.300
TIMEOUT=3.1
# maximum number of records to be grouped
LIMIT=100
LINE_BREAK=$'\n'
# tail -f -n 0 /var/log/devdir_changes | \
while true
do
declare -a times types messages
# wait for, read and store first record
read time type message
times[0]="$time"
types[0]="$type"
messages[0]="$message"
size=1
# wait for more records to appear within timeout
while [ $size -lt "$LIMIT" ]
do
read -t "$TIMEOUT" time type message || break
times[$size]="$time"
types[$size]="$type"
messages[$size]="$message"
size=$((${size} + 1))
done
# build message from record group
message="${types[0]} ${messages[0]}"
i=1
while [ $i -lt $size ]
do
message="$message$LINE_BREAK${types[$i]} ${messages[$i]}"
i=$((i + 1))
done
# send message as notification
echo "$message"
# notify-send "$message"
done
密钥在读取和缓冲输入(在数组中)的调用中使用超时(-t 3.1),直到达到超时或缓冲区"已满#34; (例子中限制为100)。超时以秒为单位,使用0.3表示300毫秒。
(编辑1:一些评论,第一条记录没有超时)
编辑2:为了按可用性时间对行进行分组,可以使用函数:
# group lines which get available at the same time
#
# This can be used to group lines from asynchronous input
# according to (sufficiently large) time gaps between lines.
#
# $1 = max seconds to wait for another line; default: 1.5
# $2 = max number of lines to read; default: 10
# $3 = group terminator to use; default: $'\0'
function time_group_lines() {
local timeout="${1:-1.5}"
local limit="${2:-10}"
local terminator="${3}"
local line
while true ; do
read line || return 0
echo "$line"
size=1
while [ $size -lt "$limit" ] ; do
read -t "$timeout" line || break
echo "$line"
size=$(($size + 1))
done
if [ -z "$terminator" ]
then echo -n -e "\x00"
else echo -n "$terminator"
fi
done
}
# tail -f -n 0 /var/log/devdir_changes | \
# sed 's/^[^ ]* //' \
time_group_lines "$TIMEOUT" "$LIMIT" | \
while true ; do
read -d $'\0' group || break
# notify-send "$group"
echo -e "$group"
done