如果具有此ID的进程未运行,则.NET Process.GetProcessById
会引发异常。如何安全地调用此方法,以便它不会抛出异常?我在想像
if(Process.IsRunning(id)) return Process.GetProcessById(id);
else return null; //or do something else
但找不到任何检查ID的方法,除了可能获取所有正在运行的进程并检查列表中是否存在id。
答案 0 :(得分:13)
public Process GetProcByID(int id)
{
Process[] processlist = Process.GetProcesses();
return processlist.FirstOrDefault(pr => pr.Id == id);
}
我查看了Process.GetProcessById
方法。
它使用内部静态类ProcessManager来确保该进程运行。 ProcessManager获取当前在系统中运行的所有进程并检查其中的id,因此我认为这是最好的方法。
因此,您应该考虑异常的开销或Process
数组的开销。
答案 1 :(得分:2)
只需使用try-catch块
Process p = null;
try{
p = Process.GetProcessById(id);
}
catch(Exception){
}
return p;
答案 2 :(得分:1)
是的,使用try + catch可能会有所作为。如果进程没有运行,则不会发生任何事情而不是抛出异常。
答案 3 :(得分:0)
使用pinvoke的代码相同,这应该比GetProcesses更快,因为它不需要枚举所有进程。
[DllImport("kernel32.dll", SetLastError = true)]
public static extern IntPtr OpenProcess(ProcessAccessFlags access, bool inheritHandle, int procId);
[DllImport("kernel32.dll", SetLastError = true)]
[return: MarshalAs(UnmanagedType.Bool)]
static extern bool CloseHandle(IntPtr hObject);
[DllImport("kernel32.dll", SetLastError = true)]
[return: MarshalAs(UnmanagedType.Bool)]
static extern bool GetExitCodeProcess(IntPtr hProcess, out uint lpExitCode);
[Flags]
public enum ProcessAccessFlags : uint
{
All = 0x001F0FFF,
Terminate = 0x00000001,
CreateThread = 0x00000002,
VirtualMemoryOperation = 0x00000008,
VirtualMemoryRead = 0x00000010,
VirtualMemoryWrite = 0x00000020,
DuplicateHandle = 0x00000040,
CreateProcess = 0x000000080,
SetQuota = 0x00000100,
SetInformation = 0x00000200,
QueryInformation = 0x00000400,
QueryLimitedInformation = 0x00001000,
Synchronize = 0x00100000
}
/// <summary>
/// Checks if given process is still alive
/// </summary>
/// <param name="processId">process id</param>
/// <returns>true if process is alive, false if not</returns>
static public bool IsProcessAlive(int processId)
{
IntPtr h = OpenProcess(ProcessAccessFlags.QueryInformation, true, processId);
if (h == IntPtr.Zero)
return false;
uint code = 0;
bool b = GetExitCodeProcess(h, out code);
CloseHandle(h);
if (b)
b = (code == 259) /* STILL_ACTIVE */;
return b;
}