-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathInlineVirtualFunction.cpp
49 lines (44 loc) · 1.11 KB
/
InlineVirtualFunction.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
/**
* Prove that virtual function can be inlined by compiler.
*
* In conclusion, Clang is best at this to be able to determine that inlining
* is possible even with virtual function (even without inline keyword on such
* virtual function). Instead GCC & MSVC won't inline them. Tested all at
* optimization level 2 at which point clang will start to inline such virtual function.
*
* For each compiler, compile with the following to generate assembly code for
* inspection. From there try to search for "call" (for clang, it's "callq"),
* then we will find the answer.
*
* GCC:
* g++ -std=c++17 -Wall -Wextra -pedantic -O2 -S InlineVirtualFunction.cpp
*
* Clang:
* clang++ -std=c++17 -Wall -Wextra -pedantic -O2 -S InlineVirtualFunction.cpp
*
* MSVC:
* cl.exe /EHsc /std:c++17 /W4 /O2 /FAs InlineVirtualFunction.cpp
*/
#include <iostream>
class Base
{
public:
inline virtual void Foo()
{
std::cout << "Base::Foo()\n";
}
};
class Derived : public Base
{
public:
inline virtual void Foo() override
{
std::cout << "Derived::Foo()\n";
}
};
int main()
{
Base *bPtr = new Derived();
bPtr->Foo();
return 0;
}