我需要将下面的__usercall函数包装到_ cdecl / _stdcall:
char __usercall sub_4017B0<al>(int a1<ebx>, int a2)
a1是整数, a2实际上是一个小组('int args [10]')
这是对的吗? <al>
在sub_4017B0后面是什么意思?
int __stdcall func_hook_payload(int callnum, int* args);
// Wrapper for
// char __usercall sub_4017B0<al>(int callnum<ebx>, int a2)
__declspec(naked) void func_hook()
{__asm{
push ebp
mov ebp, esp
push dword ptr[ebp + 0x28] // args[9]
push dword ptr[ebp + 0x24] // args[8]
push dword ptr[ebp + 0x20] // args[7]
push dword ptr[ebp + 0x1C] // args[6]
push dword ptr[ebp + 0x18] // args[5]
push dword ptr[ebp + 0x14] // args[4]
push dword ptr[ebp + 0x10] // args[3]
push dword ptr[ebp + 0x0C] // args[2]
push dword ptr[ebp + 0x08] // args[1]
push dword ptr[ebp + 0x04] // args[0]
push ebx // callnum
call func_hook_payload
leave
ret // note: __usercall is cdecl-like
}}
如果调用sub_4017B0,包装器会是什么样子? 包装器应该有这个签名:
int sub_4017B0_wrapper(int callnum, int* args);
答案 0 :(得分:3)
该功能是实际的int*
还是需要va_arg
?在这种情况下,你需要提供原始的调用代码。
从我可以收集的内容来看,你的包装器看起来应该是这样的(我不使用堆栈帧,但你的帧是错的,因为你没有pop ebp
返回之前):
__declspec(naked) void func_hook()
{
__asm
{
push dword [esp + 4] //int* - pArgs
push ebx //int - nArgs
call func_hook_payload //you can even just jump to this, the stack should clean itself up correctly
retn
}
}
如果va_args
你可以这样做:
__declspec(naked) void func_hook()
{
__asm
{
lea eax,[esp + 4] //int* - &nArg[0]: here we abuse the way the windows stack grows, creating a stack based buffer
push eax //int* - pArgs
push ebx //int - nArgs
call func_hook_payload
retn
}
}
调用旧的func也很简单,你可以在没有nake函数的情况下完成它,但我真的更喜欢裸功能:)
void __declspec(naked) __stdcall CallTheOldVMFunc(int nArgs, int* pArgs)
{
__asm
{
push ebx //save ebx, its not a scratch register
mov ebx,[esp + 8] //set the number of args
push [esp + 12] //push the arg ptr
call TheOldVMFunc
pop ebx //restore ebx
retn 8 //ret and cleanup
}
}