检查已经执行的进程的一种更简单的方法是pidof
命令。
if pidof -x "abc.sh" >/dev/null; then
echo "Process already running"
fi
或者,让您的脚本在执行时创建一个 PID 文件。然后是检查 PID 文件是否存在以确定进程是否已在运行的简单练习。
#!/bin/bash
# abc.sh
mypidfile=/var/run/abc.sh.pid
# Could add check for existence of mypidfile here if interlock is
# needed in the shell script itself.
# Ensure PID file is removed on program exit.
trap "rm -f -- '$mypidfile'" EXIT
# Create a file with current PID to indicate that process is running.
echo $$ > "$mypidfile"
...
更新:
问题现在已更改为从脚本本身进行检查。在这种情况下,我们希望总是看到至少有一个abc.sh
运行。如果有多个abc.sh
,那么我们知道该进程仍在运行。pidof
如果进程已经在运行,我仍然建议使用将返回 2 个 PID 的命令。您可以使用grep
过滤掉当前的 PID,在 shell 中循环,甚至恢复为仅计算 PIDwc
以检测多个进程。
这是一个例子:
#!/bin/bash
for pid in $(pidof -x abc.sh); do
if [ $pid != $$ ]; then
echo "[$(date)] : abc.sh : Process is already running with PID $pid"
exit 1
fi
done