我有一个带有一些文件操作的bash脚本,我想在按下 CTRL + C 之后处理一个循环,直到块结束。我举了一个例子:
#!/bin/bash
# Register signal handler
ABORT=0;
trap ABORT=1 SIGINT;
# Create temp dir
TEMPDIR=$(mktemp -d -t $0);
# Helper functions
function do_other_stuff {
true;
}
# Process files
for ((COUNTER = 0; COUNTER < 3 && ABORT == 0; COUNTER++)); do
FILE=/some/directory/$COUNTER.txt;
BASE=$(basename $FILE);
cp $FILE $TEMPDIR;
> $FILE;
do_other_stuff;
cp $TEMPDIR/$BASE $FILE;
rm $TEMPDIR/$BASE;
done;
rm -rf $TEMPDIR;
这似乎工作得很好,但我注意到,有时BASE在声明中
BASE=$(basename $FILE);
如果在basename命令期间发生陷阱,则不设置。这会导致cp
及以下命令出错。
我错过了什么吗? bash的意图如何从陷阱中恢复?是否有其他解决方案具有相同的效果?
答案 0 :(得分:1)
而不是
BASE=$(basename $FILE);
改为使用这个:
BASE=${FILE##*/}
将工作函数放在远离处理SIGINT的接口的背景上也是一个好主意。只是避免在其中要求输入。还要始终正确引用变量。
#!/bin/bash
# Register signal handler
ABORT=0;
trap ABORT=1 SIGINT;
# Create temp dir
TEMPDIR=$(mktemp -d -t $0);
# Helper functions
function do_other_stuff {
true;
}
# Process files
for ((COUNTER = 0; COUNTER < 3 && ABORT == 0; COUNTER++)); do
(
FILE=/some/directory/$COUNTER.txt
BASE=${FILE##*/}
cp "$FILE" "$TEMPDIR"
> "$FILE"
do_other_stuff
cp "$TEMPDIR/$BASE" "$FILE"
rm "$TEMPDIR/$BASE"
) &
CPID=$!
# Handle SIGINT but don't end the loop until subprocess finishes its work.
while kill -s 0 CPID &>/dev/null; do ## Checks if subprocess is still there.
# Wait if yes.
wait "$CPID"
done
done
rm -rf "$TEMPDIR"
这个将迅速中止操作:
# Process files
for ((COUNTER = 0; COUNTER < 3 && ABORT == 0; COUNTER++)); do
(
FILE=/some/directory/$COUNTER.txt
BASE=${FILE##*/}
cp "$FILE" "$TEMPDIR"
> "$FILE"
do_other_stuff
cp "$TEMPDIR/$BASE" "$FILE"
rm "$TEMPDIR/$BASE"
) &
CPID=$!
while
wait "$CPID"
if [[ ABORT -eq 1 ]]; then
kill -s ABRT "$CPID" &>/dev/null
break
fi
kill -s 0 "$CPID" &>/dev/null
do
continue
done
done
rm -rf "$TEMPDIR"