在linux下的c++编程中,存在两种链接方式,动态链接和静态链接,
假设test1.cpp中的代码如下:
#include<stdio.h> int f() { return 3; }
test2.cpp中的代码如下:
#include<stdio.h> int g() { return 4; }
app.cpp中的代码如下所示:
#include<stdio.h> extern int f(); extern int g(); int main() { int res = f(); printf("%d\n",res); res = g(); printf("%d\n",res); return 0; }
可以看到app.cpp中分别调用了test1.cpp中的f()函数和test2.cpp中的g()函数,如果要通过静态链接来生成可执行文件app可以由以下步骤
首先将test1.cpp,test2.cpp编译成目标.o文件
g++ -c test1.cpp
g++ -c test2.cpp
然后将生成的test1.o和test2.o打包成一个静态库.a文件
ar cr libtest.a test1.0 test2.o
最后将生成的静态库文件include到app中就可以了,注意-ltest要写在最后面,因为g++在第一次遇到-ltest的时候就会搜寻test静态库文件中是否存在需要的函数或变量.
g++ -o app app.cpp -L. -ltest //ok
g++ -o app -L. -ltest app.cpp //error,会显示找不到这两个文件
最终生成的app可执行文件就会将test静态库中用到的test1.o和test2.o都包含进来
至于动态库文件,在生成test1.o,test2.o的时候要加入一个参数-fPIC(position independent code,位置独立代码),这个参数高数g++编译器,该生成的目标文件要作为一个动态共享库的一部分.
然后用g++ -shared -fPIC libtest.so test1.o test2.o生成动态共享库libtest.so
g++ -o app app.cpp -L. -ltest
编译器搜寻库的路径,首先搜寻-L选项后的参数目录,然后搜寻系统的搜索路径,直至找到需要的库,若同名的动态库和静态库在不同的目录中,则编译器先找到哪个库就用该库,若一个目录中同时存在动态库和静态库,编译器优先选择动态库,如果想固定只使用静态库,就可以加一个-static选项.即g++ -static -o app app.cpp -L. -ltest
ldd命令可以查看可执行文件中需要的动态库.
原文:http://www.cnblogs.com/buptlss/p/3545744.html