Kill process by name? Kill process by name? python python

Kill process by name?


psutil can find process by name and kill it:

import psutilPROCNAME = "python.exe"for proc in psutil.process_iter():    # check whether the process name matches    if proc.name() == PROCNAME:        proc.kill()


Assuming you're on a Unix-like platform (so that ps -A exists),

>>> import subprocess, signal>>> import os>>> p = subprocess.Popen(['ps', '-A'], stdout=subprocess.PIPE)>>> out, err = p.communicate()

gives you ps -A's output in the out variable (a string). You can break it down into lines and loop on them...:

>>> for line in out.splitlines():...   if 'iChat' in line:...     pid = int(line.split(None, 1)[0])...     os.kill(pid, signal.SIGKILL)... 

(you could avoid importing signal, and use 9 instead of signal.SIGKILL, but I just don't particularly like that style, so I'd rather used the named constant this way).

Of course you could do much more sophisticated processing on these lines, but this mimics what you're doing in shell.

If what you're after is avoiding ps, that's hard to do across different Unix-like systems (ps is their common API to get a process list, in a sense). But if you have a specific Unix-like system in mind, only (not requiring any cross-platform portability), it may be possible; in particular, on Linux, the /proc pseudo-filesystem is very helpful. But you'll need to clarify your exact requirements before we can help on this latter part.


If you have to consider the Windows case in order to be cross-platform, then try the following:

os.system('taskkill /f /im exampleProcess.exe')