122

有没有办法检查 pid 是否对应于有效进程?我从不同于 from 的其他来源获取 pid os.getpid(),我需要检查机器上是否不存在具有该 pid 的进程。

我需要它在 Unix 和 Windows 中可用。我还在检查 PID 是否未在使用中。

4

14 回答 14

181

如果 pid 未运行,则向 pid 发送信号 0 将引发 OSError 异常,否则不执行任何操作。

import os

def check_pid(pid):        
    """ Check For the existence of a unix pid. """
    try:
        os.kill(pid, 0)
    except OSError:
        return False
    else:
        return True
于 2009-02-20T04:31:14.083 回答
91

看一下psutil模块:

psutil(python 系统和进程实用程序)是一个跨平台库,用于在 Python 中检索有关正在运行的进程系统利用率(CPU、内存、磁盘、网络)的信息。[...] 它目前支持32 位64 位架构的LinuxWindowsOSXFreeBSDSun Solaris, Python 版本从2.6 到 3.4(Python 2.4 和 2.5 的用户可以使用 2.1.3 版本) . PyPy 也可以工作。

它有一个名为的函数pid_exists(),您可以使用它来检查具有给定 pid 的进程是否存在。

这是一个例子:

import psutil
pid = 12345
if psutil.pid_exists(pid):
    print("a process with pid %d exists" % pid)
else:
    print("a process with pid %d does not exist" % pid)

以供参考:

于 2013-07-12T19:16:25.830 回答
66

mluebke 代码不是 100% 正确的;kill() 也可以引发 EPERM(拒绝访问),在这种情况下,这显然意味着存在进程。这应该有效:

(根据 Jason R. Coombs 的评论编辑)

import errno
import os

def pid_exists(pid):
    """Check whether pid exists in the current process table.
    UNIX only.
    """
    if pid < 0:
        return False
    if pid == 0:
        # According to "man 2 kill" PID 0 refers to every process
        # in the process group of the calling process.
        # On certain systems 0 is a valid PID but we have no way
        # to know that in a portable fashion.
        raise ValueError('invalid PID 0')
    try:
        os.kill(pid, 0)
    except OSError as err:
        if err.errno == errno.ESRCH:
            # ESRCH == No such process
            return False
        elif err.errno == errno.EPERM:
            # EPERM clearly means there's a process to deny access to
            return True
        else:
            # According to "man 2 kill" possible error values are
            # (EINVAL, EPERM, ESRCH)
            raise
    else:
        return True

除非您使用 pywin32、ctypes 或 C 扩展模块,否则您无法在 Windows 上执行此操作。如果您可以依赖外部库,则可以使用psutil

>>> import psutil
>>> psutil.pid_exists(2353)
True
于 2011-08-04T11:08:51.197 回答
21

仅当相关进程归运行测试的用户所有时,涉及向进程发送“信号 0”的答案才有效。否则你会得到一个OSError由于权限,即使系统中存在 pid。

为了绕过此限制,您可以检查是否/proc/<pid>存在:

import os

def is_running(pid):
    if os.path.isdir('/proc/{}'.format(pid)):
        return True
    return False

显然,这仅适用于基于 linux 的系统。

于 2017-01-25T12:33:38.887 回答
8

在 Python 3.3+ 中,您可以使用异常名称而不是 errno 常量。正版

import os

def pid_exists(pid): 
    if pid < 0: return False #NOTE: pid == 0 returns True
    try:
        os.kill(pid, 0) 
    except ProcessLookupError: # errno.ESRCH
        return False # No such process
    except PermissionError: # errno.EPERM
        return True # Operation not permitted (i.e., process exists)
    else:
        return True # no error, we can send a signal to the process
于 2013-11-25T07:05:53.367 回答
7

在此处查找特定于 Windows 的获取运行进程及其 ID 的完整列表的方法。会是这样的

from win32com.client import GetObject
def get_proclist():
    WMI = GetObject('winmgmts:')
    processes = WMI.InstancesOf('Win32_Process')
    return [process.Properties_('ProcessID').Value for process in processes]

然后,您可以根据此列表验证您获得的 pid。我不知道性能成本,所以如果您要经常进行 pid 验证,最好检查一下。

对于 *NIx,只需使用 mluebke 的解决方案。

于 2009-02-20T07:20:11.260 回答
6

在 ntrrgc 的基础上,我增强了 windows 版本,因此它检查进程退出代码并检查权限:

def pid_exists(pid):
    """Check whether pid exists in the current process table."""
    if os.name == 'posix':
        import errno
        if pid < 0:
            return False
        try:
            os.kill(pid, 0)
        except OSError as e:
            return e.errno == errno.EPERM
        else:
            return True
    else:
        import ctypes
        kernel32 = ctypes.windll.kernel32
        HANDLE = ctypes.c_void_p
        DWORD = ctypes.c_ulong
        LPDWORD = ctypes.POINTER(DWORD)
        class ExitCodeProcess(ctypes.Structure):
            _fields_ = [ ('hProcess', HANDLE),
                ('lpExitCode', LPDWORD)]

        SYNCHRONIZE = 0x100000
        process = kernel32.OpenProcess(SYNCHRONIZE, 0, pid)
        if not process:
            return False

        ec = ExitCodeProcess()
        out = kernel32.GetExitCodeProcess(process, ctypes.byref(ec))
        if not out:
            err = kernel32.GetLastError()
            if kernel32.GetLastError() == 5:
                # Access is denied.
                logging.warning("Access is denied to get pid info.")
            kernel32.CloseHandle(process)
            return False
        elif bool(ec.lpExitCode):
            # print ec.lpExitCode.contents
            # There is an exist code, it quit
            kernel32.CloseHandle(process)
            return False
        # No exit code, it's running.
        kernel32.CloseHandle(process)
        return True
于 2014-05-01T14:06:04.710 回答
4

结合Giampaolo Rodolà 对 POSIX 的回答我对 Windows的回答,我得到了这个:

import os
if os.name == 'posix':
    def pid_exists(pid):
        """Check whether pid exists in the current process table."""
        import errno
        if pid < 0:
            return False
        try:
            os.kill(pid, 0)
        except OSError as e:
            return e.errno == errno.EPERM
        else:
            return True
else:
    def pid_exists(pid):
        import ctypes
        kernel32 = ctypes.windll.kernel32
        SYNCHRONIZE = 0x100000

        process = kernel32.OpenProcess(SYNCHRONIZE, 0, pid)
        if process != 0:
            kernel32.CloseHandle(process)
            return True
        else:
            return False
于 2013-07-15T00:24:57.327 回答
2

这适用于 Linux,例如,如果您想检查 banshee 是否正在运行...(banshee 是一个音乐播放器)

import subprocess

def running_process(process):
    "check if process is running. < process > is the name of the process."

    proc = subprocess.Popen(["if pgrep " + process + " >/dev/null 2>&1; then echo 'True'; else echo 'False'; fi"], stdout=subprocess.PIPE, shell=True)

    (Process_Existance, err) = proc.communicate()
    return Process_Existance

# use the function
print running_process("banshee")
于 2014-05-26T23:00:03.663 回答
2

在 Windows 中,您可以这样做:

import ctypes
PROCESS_QUERY_INFROMATION = 0x1000
def checkPid(pid):
    processHandle = ctypes.windll.kernel32.OpenProcess(PROCESS_QUERY_INFROMATION, 0,pid)
    if processHandle == 0:
        return False
    else:
        ctypes.windll.kernel32.CloseHandle(processHandle)
    return True

首先,在这段代码中,您尝试获取给定 pid 的进程句柄。如果句柄有效,则关闭进程的句柄并返回True;否则,您返回 False。OpenProcess 的文档:https ://msdn.microsoft.com/en-us/library/windows/desktop/ms684320%28v=vs.85%29.aspx

于 2015-01-21T11:19:17.283 回答
0

以下代码适用于 Linux 和 Windows,并且不依赖于外部模块

import os
import subprocess
import platform
import re

def pid_alive(pid:int):
    """ Check For whether a pid is alive """


    system = platform.uname().system
    if re.search('Linux', system, re.IGNORECASE):
        try:
            os.kill(pid, 0)
        except OSError:
            return False
        else:
            return True
    elif re.search('Windows', system, re.IGNORECASE):
        out = subprocess.check_output(["tasklist","/fi",f"PID eq {pid}"]).strip()
        # b'INFO: No tasks are running which match the specified criteria.'

        if re.search(b'No tasks', out, re.IGNORECASE):
            return False
        else:
            return True
    else:
        raise RuntimeError(f"unsupported system={system}")

如果您需要,它可以轻松增强

  1. 其他平台
  2. 其他语言
于 2020-08-20T01:56:09.970 回答
0

我发现这个解决方案似乎在 windows 和 linux 中都运行良好。我用 psutil 来检查。

import psutil
import subprocess
import os
p = subprocess.Popen(['python', self.evaluation_script],stdout=subprocess.PIPE, stderr=subprocess.STDOUT) 

pid = p.pid

def __check_process_running__(self,p):
    if p is not None:
        poll = p.poll()
        if poll == None:
            return True
    return False
    
def __check_PID_running__(self,pid):
    """
        Checks if a pid is still running (UNIX works, windows we'll see)
        Inputs:
            pid - process id
        returns:
            True if running, False if not
    """
    if (platform.system() == 'Linux'):
        try:
            os.kill(pid, 0)
            if pid<0:               # In case code terminates
                return False
        except OSError:
            return False 
        else:
            return True
    elif (platform.system() == 'Windows'):
        return pid in (p.pid for p in psutil.process_iter())
于 2020-10-14T01:50:17.493 回答
0

Windows 的另一个选项是通过 pywin32 包:

pid in win32process.EnumProcesses()

win32process.EnumProcesses() 返回当前运行进程的 PID。

于 2021-03-11T00:10:38.807 回答
-2

我会说将 PID 用于您获得它的任何目的并优雅地处理错误。否则,这是一场经典的比赛(当您检查它的有效时,PID 可能是有效的,但稍后会消失)

于 2009-02-20T07:39:21.370 回答