我尝试使用OpenProcess
函数获取正在运行的进程的句柄。但是,在检查错误代码时,我得到的错误代码为6(ERROR_INVALID_HANDLE)。
以下是简化样本:
using System;
using System.Runtime.InteropServices;
using System.Diagnostics;
namespace Test
{
class TestClass
{
[DllImport("kernel32.dll")]
static extern uint GetLastError();
[DllImport("kernel32.dll")]
public static extern IntPtr OpenProcess(int dwDesiredAccess,
bool bInheritHandle, int dwProcessId);
[DllImport("kernel32.dll", SetLastError = true)]
static extern bool WriteProcessMemory(int hProcess, int lpBaseAddress,
byte[] lpBuffer, int dwSize, ref int lpNumberOfBytesWritten);
static void Main()
{
var process = Process.GetProcessesByName("Sample")[0];
var processHandle = OpenProcess(0x001F0FFF, false, process.Id);
Console.WriteLine(GetLastError());
int bytesRead = 0;
byte[] buffer = BitConverter.GetBytes(1095090201);
WriteProcessMemory(
(int)processHandle,
0x21F3CAAC,
buffer,
buffer.Length,
ref bytesRead);
Console.ReadKey();
}
}
}
}
我不确定为什么它不起作用。 它只返回错误代码6.一些建议?
我不知何故感觉这是因为我正在访问的程序,但其他一切运行正常并且不会返回任何其他错误。
答案 0 :(得分:1)
您需要改进错误检查。在请求上一个错误之前,您需要首先检查OpenProcess
的返回码是否为空。请注意,DllImport
需要将SetLastError
设置为true才能正常工作并GetLastError
should not be used。
[DllImport("kernel32.dll", SetLastError=true)]
public static extern IntPtr OpenProcess(int dwDesiredAccess,
bool bInheritHandle, int dwProcessId);
processHandle = OpenProcess(0x001F0FFF, false, process.Id);
if (processHandle == IntPtr.Zero)
{
Console.WriteLine(Marshal.GetLastWin32Error());
}
理想情况下,您可以从本机错误代码创建托管异常。这样做的好处是,您可以使用标准的.NET异常处理,并在异常中获得错误代码和文本描述:
processHandle = OpenProcess(0x001F0FFF, false, process.Id);
if (processHandle == IntPtr.Zero)
{
// calls Marhal.GetLastWin32Error and GetErrorMessage under the hood
throw new Win32Exception();
}
当然,不要忘记在完成后拨打CloseHandle
。