The gcc documentation contains the following:
When a function is both inline and static, if all calls to the function are integrated into the caller, and the function's address is never used, then the function's own assembler code is never referenced. In this case, GCC does not actually output assembler code for the function, unless you specify the option -fkeep-inline-functions. Some calls cannot be integrated for various reasons (in particular, calls that precede the function's definition cannot be integrated, and neither can recursive calls within the definition).
That always sounded absurd to me -- why would a modern compiler be that dumb? After a quick test it does seem untrue.
The test code:
static inline int foo();
int bar() {
return foo();
}
int foo() {
return 42;
}
The result with gcc-4.9.2 on Linux contains code for bar()
but none for foo()
. You can see that foo()
has been integrated:
bar:
.LFB0:
.cfi_startproc
movl $42, %eax
ret
.cfi_endproc
If I compile as C++ the result is the same, except for name mangling.
Contrary to the documentation, despite foo()
being defined after the call in bar()
, foo()
has been completely integrated into bar()
.
Do I misunderstand the documentation or is it incorrect? Perhaps it's correct for some more complicated case?
I don't know if there's a technical distinction between "integrate" and "inline" but I suspect "integrate" is being used to distinguish from keyword inline
and it just refers to function inlining (hence the title).
This question is tagged as C and C++ because this portion of the gcc documentation pertains to the "C language family" and I expect the answer to be the same for the two languages.