Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Related to C++ and Assembly, what is ebp+8?

I have the following C++ code:

#include <tuple>
std::tuple<int, bool> foo()
{
    return std::make_tuple(128, true);
}
int main()
{
    auto result = foo();
}

The following is the disassembled version of the foo() function:

push    ebp
mov     ebp, esp
sub     esp, 24
mov     BYTE PTR [ebp-13], 1  // second argument
mov     DWORD PTR [ebp-12], 128 // first argument
mov     eax, DWORD PTR [ebp+8] // what is this? why we need this here?
sub     esp, 4
lea     edx, [ebp-13]   
push    edx                   // second
lea     edx, [ebp-12]
push    edx                   // first
push    eax                  // same as "ebp+8", what is this?
call    std::tuple<std::__decay_and_strip<int>::__type, std::__decay_and_strip<bool>::__type> std::make_tuple<int, bool>(int&&, bool&&)
add     esp, 12
mov     eax, DWORD PTR [ebp+8]
leave
ret     4

As I know ebp+X is for access function arguments, but there is nothing like this for foo, so why does the compiler use it? It seems like it's the first parameter for std::make_tuple().

EDIT:

I'm not using optimization, I just want to learn RE.

Part of main in Assembly:

lea     eax, [ebp-16]  // loaction of local variable
sub     esp, 12
push    eax           // as hidden argument for foo
call    foo()
add     esp, 12
like image 856
j.Doe Avatar asked Jan 03 '17 20:01

j.Doe


Video Answer


1 Answers

The calling convention specifies that non-trivial objects are returned through a hidden pointer passed as argument. That's what you are seeing. Technically, your code is implemented like this:

std::tuple<int, bool>* foo(std::tuple<int, bool>* result)
{
    *result = std::make_tuple(128, true);
    return result;
}
int main()
{
    std::tuple<int, bool> result;
    foo(&result);
}
like image 96
Jester Avatar answered Nov 13 '22 08:11

Jester