0

我正在尝试编写一个汇编函数来分配内存并将地址存储在给定的指针中。但是,我无法弄清楚如何将地址存储在传递给函数的参数中。

我有以下内容:

struc SSLSocket sock, ssl, ctx, address, port, connected, type
{
   .sock dd sock
   .ssl dd ssl
   .ctx dd ctx
   .address dd address
   .port dw port
   .connected db connected
   .type dd type
}

SockArray dd 0  //will allocate 5 of the above struct on the heap and store it in this pointer.

section '.code' code readable executable
main:
   push ebp
   mov ebp,esp


   ;push 5
   ;call [malloc]
   ;add esp, 0x04
   ;mov [SockArray], eax

   push SockArray   ;pointer that will hold allocated memory
   push 23         ;size of struct
   call ReAllocate_Memory
   add esp, 0x08

   push [SockArray] //print address of allocated memory.
   push PrintPtr
   call [printf]
   add esp, 0x08


   mov esp, ebp
   pop ebx

   call [getchar]

   mov eax, 0x00
ret

ReAllocate_Memory:
   push ebp
   mov ebp, esp

   mov eax, [ebp + 0x0C]      ;Pointer that will hold address of allocation
   mov edx, [ebp + 0x08]      ;Size to allocate in bytes

   push eax
   call [free]                ;Free any allocated memory
   add esp, 0x04

   push edx
   call [malloc]              ;Allocate n-size bytes
   add esp, 0x04

   ;mov address into parameter pointer ([ebp + 0x0C]).

   mov esp, ebp
   pop ebp
ret

有任何想法吗?

4

1 回答 1

1

您无法存储新指针,ReAllocate_Memory因为您在该例程中没有它的地址。

任何一个

  • 修改该例程以获取指向变量的指针(获取并传递地址lea eax, SockArray; push eax或类似),然后加载参数并使用例如mov edx, [ebp + 0x10]then存储到它mov [edx], eax

否则,这更容易:

  • 不要尝试将新指针存储在ReAllocate_Memory. 由于它被返回,eax您可以简单地将其存储在调用范围中,就像您在malloc调用之后所做的那样。

另外:加载edx一个值然后调用一个函数 ( free) 是危险的:不需要子例程来保存edx. 最好不要在free返回之前加载它,即使它恰好当前工作。

于 2014-04-20T18:52:00.777 回答