Я знаю, что здесь есть несколько похожих вопросов о stackoverflow, но ни один из них не решил мою проблему.
Итак, я пишу структуру c# для низкоуровневых межпроцессных операций, включая функцию внедрения DLL.
Перед вызовом инжектора я уже подключен к целевому процессу (в данном случае notepad ++. Exe), используя OpenProcess()
с разрешениями PROCESS_ALL_ACCESS
. Ниже приведен мой код инжектора (я знаю, что читабельность сильно пострадала из-за всех отладочных отпечатков):
public void Inject(string dllName, bool printDebugInfo)
{
// Check if we are attached to the process.
target.Assertions.AssertProcessAttached();
target.Assertions.AssertInjectionPermissions();
// searching for the address of LoadLibraryA and storing it in a pointer
IntPtr kernel32Handle = WinAPI.GetModuleHandle("kernel32.dll");
if (kernel32Handle == IntPtr.Zero)
{
uint errorCode = WinAPI.GetLastError();
throw new Win32Exception((int)errorCode, "Encountered error " + errorCode.ToString() + " (0x" + errorCode.ToString("x") + ") - FATAL: Could not get handle of kernel32.dll: was NULL.");
}
UIntPtr loadLibraryAddr = WinAPI.GetProcAddress(kernel32Handle, "LoadLibraryA");
if (loadLibraryAddr == UIntPtr.Zero)
{
uint errorCode = WinAPI.GetLastError();
throw new Win32Exception((int)errorCode, "Encountered error " + errorCode.ToString() + " (0x" + errorCode.ToString("x") + ") - FATAL: Could not get address of LoadLibraryA: was NULL.");
}
HelperMethods.Debug("LoadLibraryA is at 0x" + loadLibraryAddr.ToUInt64().ToString("x"), printDebugInfo);
// alocating some memory on the target process - enough to store the name of the dll
// and storing its address in a pointer
uint size = (uint)((dllName.Length + 1) * Marshal.SizeOf(typeof(char)));
IntPtr allocMemAddress = WinAPI.VirtualAllocEx(target.Handle, IntPtr.Zero, size, (uint)Permissions.MemoryPermission.MEM_COMMIT | (uint)Permissions.MemoryPermission.MEM_RESERVE, (uint)Permissions.MemoryPermission.PAGE_READWRITE);
HelperMethods.Debug("Allocated memory at 0x" + allocMemAddress.ToInt64().ToString("x"), printDebugInfo);
int bytesWritten = 0;
// writing the name of the dll there
byte[] buffer = new byte[size];
byte[] bytes = Encoding.ASCII.GetBytes(dllName);
Array.Copy(bytes, 0, buffer, 0, bytes.Length);
buffer[buffer.Length - 1] = 0;
bool success = WinAPI.WriteProcessMemory((uint)target.Handle, allocMemAddress.ToInt64(), buffer, size, ref bytesWritten);
if (success)
{
HelperMethods.Debug("Successfully wrote \"" + dllName + "\" to 0x" + allocMemAddress.ToInt64().ToString("x"), printDebugInfo);
}
else
{
HelperMethods.Debug("FAILED to write dll name!", printDebugInfo);
}
// creating a thread that will call LoadLibraryA with allocMemAddress as argument
HelperMethods.Debug("Injecting dll ...", printDebugInfo);
IntPtr threadHandle = WinAPI.CreateRemoteThread(target.Handle, IntPtr.Zero, 0, loadLibraryAddr, allocMemAddress, 0, out IntPtr threadId);
HelperMethods.Debug("CreateRemoteThread returned the following handle: 0x" + threadHandle.ToInt32().ToString("x"), printDebugInfo);
uint errCode = WinAPI.GetLastError();
if (threadHandle == IntPtr.Zero)
{
throw new Win32Exception((int)errCode, "Encountered error " + errCode.ToString() + " (0x" + errCode.ToString("x") + ") - FATAL: CreateRemoteThread returned NULL pointer as handle.");
}
Console.WriteLine("CreateRemoteThread threw errorCode 0x" + errCode.ToString("x"));
Console.WriteLine("Currently the following modules are LOADED:");
ProcessModuleCollection processModules = target.Process.Modules;
foreach (ProcessModule module in processModules)
{
Console.WriteLine(" - " + module.FileName);
}
uint waitExitCode = WinAPI.WaitForSingleObject(threadHandle, 10 * 1000);
HelperMethods.Debug("Waiting for thread to exit ...", printDebugInfo);
HelperMethods.Debug("WaitForSingleObject returned 0x" + waitExitCode.ToString("x"), printDebugInfo);
Thread.Sleep(1000);
Console.WriteLine("Currently the following modules are LOADED:");
processModules = target.Process.Modules;
foreach (ProcessModule module in processModules)
{
Console.WriteLine(" - " + module.FileName);
}
success = WinAPI.GetExitCodeThread(threadHandle, out uint exitCode);
if (!success)
{
uint errorCode = WinAPI.GetLastError();
throw new Win32Exception((int)errorCode, "Encountered error " + errorCode.ToString() + " (0x" + errorCode.ToString("x") + ") - FATAL: Non-zero exit code of GetExitCodeThread.");
}
Console.WriteLine("Currently the following modules are LOADED:");
processModules = target.Process.Modules;
foreach (ProcessModule module in processModules)
{
Console.WriteLine(" - " + module.FileName);
}
HelperMethods.Debug("Remote thread returned 0x" + exitCode.ToString("x"), printDebugInfo);
success = WinAPI.CloseHandle(threadHandle);
if (!success)
{
uint errorCode = WinAPI.GetLastError();
throw new Win32Exception((int)errorCode, "Encountered error " + errorCode.ToString() + " (0x" + errorCode.ToString("x") + ") - FATAL: Failed calling CloseHandle on 0x" + threadHandle.ToInt64().ToString("x") + ".");
}
HelperMethods.Debug("Called CloseHandle on 0x" + threadHandle.ToInt64().ToString("x") + ".", printDebugInfo);
success = WinAPI.VirtualFreeEx(target.Handle, allocMemAddress, 0, 0x8000);
if (!success)
{
uint errorCode = WinAPI.GetLastError();
throw new Win32Exception((int)errorCode, "Encountered error " + errorCode.ToString() + " (0x" + errorCode.ToString("x") + ") - FATAL: Failed calling VirtualFreeEx on 0x" + allocMemAddress.ToInt64().ToString("x") + ".");
}
HelperMethods.Debug("Released all previously allocated resources!", printDebugInfo);
}
Все функции WinAPI вызываются, как указано в официальной документации Microsoft (проверено трижды).
Я вызываю свой код следующим образом:
Target target = Target.CreateFromName("notepad++");
target.Attach(Permissions.ProcessPermission.PROCESS_ALL_ACCESS);
target.Injector.Inject(@"L:\Programming\C\test\newdll.dll",true);
Полный исходный код класса Target
находится на GitHub , но не должен иметь отношения к этому вопросу .
, вероятно, наиболее интересным здесь является newdll.dll
, который написан на нативном C следующим образом:
#include<Windows.h>
#include<stdbool.h>
__declspec(dllexport) bool WINAPI DllMain(HINSTANCE hInstDll, DWORD fdwReason, LPVOID lpvReserved)
{
switch (fdwReason)
{
case DLL_PROCESS_ATTACH:
{
break;
}
case DLL_PROCESS_DETACH:
{
break;
}
case DLL_THREAD_ATTACH:
{
break;
}
case DLL_THREAD_DETACH:
{
break;
}
}
return true;
}
Этот код, очевидно, мало что делает, но как порождение чего-то вроде сообщения от DllMain видимо считается "плохим" я оставил его вот так. Однако, если бы инъекция работала, dll была бы указана в Process.Modules
(а это не так).
Однако при запуске моего кода я получаю следующий вывод из всех отладочных отпечатков:
LoadLibraryA is at 0x778f60b0
Allocated memory at 0x9c0000
Successfully wrote "L:\Programming\C\test\newdll.dll" to 0x9c0000
Injecting dll ...
CreateRemoteThread returned the following handle: 0x22c
CreateRemoteThread threw errorCode 0x0
Currently the following modules are LOADED:
- J:\TOOLS\Notepad++\notepad++.exe
- C:\Windows\SYSTEM32\ntdll.dll
- C:\Windows\SYSTEM32\wow64.dll
- C:\Windows\SYSTEM32\wow64win.dll
- C:\Windows\SYSTEM32\wow64cpu.dll
Waiting for thread to exit ...
WaitForSingleObject returned 0x0
Currently the following modules are LOADED:
- J:\TOOLS\Notepad++\notepad++.exe
- C:\Windows\SYSTEM32\ntdll.dll
- C:\Windows\SYSTEM32\wow64.dll
- C:\Windows\SYSTEM32\wow64win.dll
- C:\Windows\SYSTEM32\wow64cpu.dll
Currently the following modules are LOADED:
- J:\TOOLS\Notepad++\notepad++.exe
- C:\Windows\SYSTEM32\ntdll.dll
- C:\Windows\SYSTEM32\wow64.dll
- C:\Windows\SYSTEM32\wow64win.dll
- C:\Windows\SYSTEM32\wow64cpu.dll
Remote thread returned 0x0
Called CloseHandle on 0x22c.
Released all previously allocated resources!
Press any key to continue . . .
Как видно, нет никаких кодов ошибок или каких-либо указаний на то, что инъекция пошла не так, за исключением того, что newdll.dll
никогда не загружался, так как он не отображается в загруженных модулях в Process.Modules
.
Итак, что не так с моим кодом?
Краткий обзор: я следую процедуре:
OpenProcess()
с PROCESS_ALL_ACCESS
GetModuleHandle("kernel32.dll")
GetProcAddress(kernel32Handle, "LoadLibraryA")
VirtualAllocEx(...)
и WriteProcessMemory()
для записи имени и пути моей библиотеки dll. CreateRemoteThread()
в загрузить dll WaitForSingleObject()
, чтобы дождаться загрузки dll - Освободить все ресурсы, ранее выделенные