If one builds static libraries in one's build scripts and one wants to use those static libraries in linking the final executable, the order one mentions the .a
files is important:
g++ main.o hw.a gui.a -o executable
If gui.a
uses something defined in hw.a
the link will fail, because at the time hw.a
is processed, the linker doesn't yet know that the definition is needed later, and doesn't include it in the being.generated executable. Manually fiddling around with the linker line is not practical, so a solution is to use --start-group
and --end-group
which makes the linker run twice through the libraries until no undefined symbols are found anymore.
g++ main.o -Wl,--start-group hw.a gui.a -Wl,--end-group -o executable
However the GNU ld manual says
Using this option has a significant performance cost. It is best to use it only when there are unavoidable circular references between two or more archives.
So I thought that it may be better to take all .a
files and put them together into one .a
file with an index (-s
option of GNU ar) which says in what order the files need to be linked. Then one gives only that one .a
file to g++
.
But I wonder whether that's faster or slower than using the group commands. And are there any problems with that approach? I also wonder, is there better way to solve these interdependency problems?
EDIT: I've written a program that takes a list of .a
files and generates a merged .a
file. Works with the GNU common ar
format. Packing together all static libs of LLVM works like this
$ ./arcat -o combined.a ~/usr/llvm/lib/libLLVM*.a
I compared the speed against unpacking all .a
files manually and then putting them into a new .a
file using ar
, recomputing the index. Using my arcat
tool, I get consistent runtimes around 500ms. Using the manual way, time varies greatly, and takes around 2s. So I think it's worth it.
Code is here. I put it into the public domain :)
lorder
for linux prior to asking this question, but I couldn't find it. The only few manpages I found on the internet said thatlorder
is deprecated and thatar
replaces it. I couldn't find WTF command I have to give toar
so it does the same aslorder
. – Albion