6

此 VM 中运行着两个不同的 python 程序

一个是监控文件夹然后“做事”(有几个工人)的后台工作

10835 ?        Sl     0:03 python main.py
10844 ?        Sl    34:02 python main.py
10845 ?        S     33:43 python main.py

第二个是通过脚本启动的

20056 pts/1    S+     0:00 /bin/bash ./exp.sh
20069 pts/1    S+     0:00 /bin/bash ./exp.sh
20087 pts/1    S+     0:10 python /home/path/second.py

我已经尝试了很多方法来找到一种只杀死主程序的方法(我想建立一个 cron 看门狗),但没有成功

第一个我只想找到挂起的“python main.py”进程(伴随着[defunct]),但我什至无法单独找到这个进程。

上面的来自 ps -ax (所以它们当前都在运行) pgrep 'python' 返回所有 PID,也来自我不想要的 second.py :(没用,因此 pkill 也是如此)

pgrep 'python'
10835
10844
10845
20087

pgrep 'python main.py' 总是返回空,所以 pgrep 'main.py;

唯一有效的东西

ps ax | grep 'python main.py'

但是这个也返回它自己的 PID,grepping 'ps' 不是一个首选的解决方案。当 main.py 挂起时,它显示“python main.py [defunct]”。一个

ps ax | grep 'python main.py [defunct]'

作为测试没有用,因为它总是返回 true。除了 'python' 之外的任何东西的 pgrep 也总是返回 false。我有点不知所措。

4

3 回答 3

5

这对我有用。pgrep 在兄弟页面上找到它。

以“test.py”为参数查找进程的 pid,例如“python test.py”

pgrep -f test.py

我用它来检查 python 进程是否正在运行:

searcher="backend/webapi.py"

if pgrep -f "$searcher" > /dev/null
then
    echo "$(date +%y-%m-%d-%H-%M-%S) $searcher is alive. Doing nothing."
else
    echo "No $searcher. Kickstarting..."
    pushd $HOME/there/;
    ./run_backend
    popd;
    echo "Pgrepping $searcher:"
    pgrep "$searcher" # out to loggers
fi
于 2017-02-07T07:48:18.973 回答
3

在您的守护进程 python 脚本中,您应该创建 PID 文件:

def writePidFile():
  pid = str(os.getpid())
  f = open('/tmp/my_pid', 'w')
  f.write(pid)
  f.close()

现在杀死这个过程很简单:

kill `cat /tmp/my_pid`

或者你可以只使用grep和过滤它自己的进程:

ps ax | grep 'python main.py [defunct]' | grep -v grep
于 2013-05-28T17:37:30.543 回答
0

我想我已经找到了一种非常安全的方法来仅为特定文件找到正确的 python 进程 PID。这个想法是找到所有的python进程,然后是所有的“test.py”进程,然后将结果相交以找到正确的PID。

我在 python 脚本中使用 subprocess 模块(您可以插入 .sh 脚本):

import subprocess as subp
#Get a list of all processes with a certain name
def get_pid(name):
    return list(map(int,subp.check_output(["pidof", "-c", name]).split()))
#Get a list of all pids for python3 processes
python_pids = get_pid('python3')
#Get a list of all pids for processes with "main.py" argument
main_py_pids = list(map(int,subp.check_output(["pgrep", "-f", "main.py"]).split()))
python_main_py_pid = set(python_pids).intersection(main_py_pids)
print(python_pids)
print(main_py_pids)
print(python_main_py_pid)

结果有 3 个正在运行的 python 进程(包括这个脚本中的一个)和一个“sudo nano main.py”进程:

Python pids: [3032, 2329, 1698]
main.py pids: [1698, 3031]
Interesection: {1698}
于 2020-05-08T10:49:53.007 回答