GNU bash,版本 1.14.7(1)

我有一个脚本叫做“abc.sh
我只能从 abc.sh 脚本中检查这个...
在里面我写了以下声明

status=`ps -efww | grep -w "abc.sh" | grep -v grep | grep -v $$ | awk '{ print $2 }'`
if [ ! -z "$status" ]; then
        echo "[`date`] : abc.sh : Process is already running"
        exit 1;
fi

我知道这是错误的,因为每次它在“ps”中找到自己的进程时退出
如何解决?
我如何才能检查脚本是否已经在运行 from that script

最佳答案

检查已在执行的进程的更简单方法是 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 中循环,甚至恢复到仅使用 0x2518122231343141 计算 PID 以检测多个进程。

下面是一个例子:
#!/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

关于bash - 如何检查我的 shell 脚本的另一个实例是否正在运行,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/16807876/

10-15 05:32