原帖:
我试图从我注入的 DLL 中绕过一个成员函数。我已经获得了要挂接的函数的地址,但无法找出正确的语法或通过 detours 库挂接它的方法。我已经用错误消息评论了给我错误的行。
我已经阅读了成员函数挂钩的 detours 示例的源代码,这就是此代码的基础,但由于某种原因它不起作用。
任何帮助将不胜感激,谢谢!
#include <windows.h>
#include <detours.h>
class CDetour
{
public:
bool My_MemFn(unsigned int unk1);
static bool (CDetour::* Real_MemFn)(unsigned int);
};
bool CDetour::My_MemFn(unsigned int unk1)
{
/* do stuff here */
return (this->*Real_MemFn)(unk1);
}
typedef bool (CDetour::* MemFn_t)(unsigned int unk1);
MemFn_t CDetour::Real_MemFn= *(MemFn_t *)((void*)0x23234545);
BOOL APIENTRY DllMain(HANDLE hModule, DWORD dwReason, LPVOID lpReserved)
{
switch (dwReason)
{
case DLL_PROCESS_ATTACH:
{
DetourTransactionBegin();
DetourUpdateThread(GetCurrentThread());
DetourAttach(&(PVOID&)CDetour::Real_MemFn, *(PBYTE*)&CDetour::My_MemFn); // ERROR: C2440: 'type cast' : cannot convert from 'bool __thiscall CDetour::* )(unsigned int)' to 'PBYTE *'
DetourTransactionCommit();
break;
}
}
return TRUE;
}
解决方案:
#include <windows.h>
#include <detours.h>
typedef void (__thiscall * CClassFunction_t)(void *__this, unsigned int unk1);
CClassFunction_t Real_CClassFunction;
void __fastcall Mine_CClassFunction(void *__this, int edx, unsigned int unk1)
{
Real_CClassFunction(__this, unk1);
}
template<typename T>
void HookFunction(const char *module, char *signature, T &fn_real, PVOID fn_mine)
{
HookFunction<T>(DetourFindFunction(module, signature), fn_real, fn_mine);
}
template<typename T>
void HookFunction(DWORD address, T &fn_real, PVOID fn_mine)
{
HookFunction<T>(reinterpret_cast<PVOID>(address), fn_real, fn_mine);
}
template<typename T>
void HookFunction(PVOID target, T &fn_real, PVOID fn_mine)
{
fn_real = reinterpret_cast<T>(target);
HookFunction<T>(fn_real, fn_mine);
}
template<typename T>
void HookFunction(T &fn_real, PVOID fn_mine)
{
DetourAttach(&(PVOID&)fn_real, fn_mine);
}
void ApplyHooks()
{
DetourTransactionBegin();
DetourUpdateThread(GetCurrentThread());
DWORD function_address = 0x12345678;
HookFunction<CClassFunction_t>(address, Real_CClassFunction, Mine_CClassFunction);
DetourTransactionCommit();
}
BOOL APIENTRY DllMain(HINSTANCE hInstance, DWORD dwReason, LPVOID lpReserved)
{
switch (dwReason)
{
case DLL_PROCESS_ATTACH:
case DLL_THREAD_ATTACH:
{
DisableThreadLibraryCalls(hInstance);
CreateThread(0, 0, (LPTHREAD_START_ROUTINE)ApplyHooks, 0, 0, 0);
break;
}
}
return TRUE;
}