-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathRVOForInlineFunction.cpp
70 lines (60 loc) · 2.04 KB
/
RVOForInlineFunction.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
/**
* If RVO kicks into play, then
* both address of local struct and its data member variable 'buffer' must be equal
* to variable received outside as it just moved out.
*/
#include <iostream>
#include <memory>
#include <cstring>
#include <cassert>
#include <cstdint>
static std::uintptr_t g_localAddress = 0;
static std::uintptr_t g_localBufferAddress = 0;
// this one might not be necessary to include here
// but to shorten the code all elsse we have to do
template <typename T>
constexpr std::uintptr_t AddressInNumeric(const T& t)
{
return reinterpret_cast<std::uintptr_t>(std::addressof(t));
}
template <std::size_t SIZE>
constexpr std::uintptr_t AddressInNumericOfArray(const char (&a)[SIZE])
{
return reinterpret_cast<std::uintptr_t>(std::addressof(a));
}
struct Widget
{
#ifdef _MSC_VER
// these three lines are for verbose logging for behavior
// but for GCC we didn't need it for RVO to work properly
Widget() {}
Widget(const Widget&) { std::cout << "copying...\n"; }
~Widget() { std::cout << "destructing...\n"; }
#endif
char buffer[256];
};
inline Widget Foo(const char* txt)
{
Widget newObj;
std::strcpy(newObj.buffer, txt);
// save the address of the local variable
// we will validate it outside
g_localAddress = AddressInNumeric(newObj);
g_localBufferAddress = AddressInNumeric(newObj.buffer);
std::cout << "local address: " << std::addressof(newObj) << '\n';
std::cout << "local buffer address: " << std::addressof(newObj.buffer) << std::endl;
return newObj;
}
int main()
{
Widget myWidget = Foo("Hello world");
// validate if buffer is content of buffer is still the same
assert(std::strcmp(myWidget.buffer, "Hello world") == 0);
std::cout << "received address: " << std::addressof(myWidget) << std::endl;
std::cout << "received buffer address: " << std::addressof(myWidget.buffer) << std::endl;
// validate if the RVO kicks into play
assert(AddressInNumeric(myWidget) == g_localAddress);
// validate its buffer address if the RVO kicks into play
assert(AddressInNumericOfArray(myWidget.buffer) == g_localBufferAddress);
return 0;
}