如果尚未使用另一个脚本运行,我正在尝试运行脚本。
test $ ls
arcane_script.py calling_script.sh
这就是我的脚本现在的样子
test $ cat calling_script.sh
#!/bin/bash
PROCESSES_RUNNING=$(ps -ef | grep "arcane_script.py" | grep -v "grep" | wc -l)
echo $PROCESSES_RUNNING
if [$PROCESSES_RUNNING = "0"]; then
/usr/bin/python arcane_script.py
fi;
我已经尝试了if
块中的其他变体,例如[$PROCESSES_RUNNING -eq 0]
,但它们都输出相同的错误消息
test $ ./calling_script.sh
0
./calling_script.sh: line 5: [0: command not found
test $ sh calling_script.sh
0
calling_script.sh: 5: calling_script.sh: [0: not found
我做错了什么,我该如何解决?我用谷歌搜索过,但找不到太多帮助。
在 bash 中,您需要用空格保护括号。括号只是test
命令的简写。在 bash 命令中必须用空格分隔。有关更多详细信息,请参阅此链接。所以你需要写if [ condition ]
而不是if [condition]
.
括号周围需要一个空格:
[ $PROCESSES_RUNNING = "0" ]
原因是[
实际上是命令的名称,在shell中,所有命令都必须用空格与其他单词分开。
更可靠的方法是使用 pid 文件。然后,如果 pid 文件存在,您就知道它是一个正在运行的进程。这个想法是在程序开始时将 processID 写入文件(例如在/tmp 中),并在程序结束时将其删除。另一个程序可以简单地检查pid文件是否存在。
在 python 文件的开头添加类似内容
#/usr/bin/env python
import os
import sys
pid = str(os.getpid())
pidfile = "/tmp/arcane_script.pid"
if os.path.isfile(pidfile):
print "%s already exists, exiting" % pidfile
sys.exit()
else:
file(pidfile, 'w').write(pid)
# Do some actual work here
#
os.unlink(pidfile)
这样,您甚至不需要额外的bash启动脚本。如果你想检查使用bash,只需寻找pid:
cat /tmp/arcane_script.pid 2>/dev/null && echo "" || echo "Not running"
请注意,如果您的脚本未正确结束,则需要手动删除 pid 文件。
附言。如果您想自动检查 PID 是否存在,请查看 Monit。如果需要,它可以重新启动程序。