个人很看重编译和链接这层的东西,简单谈一谈C语言的动态链接和静态链接
动态链接
简介
在做程序开发的时候,有许多简单的函数是很常用的,但是如果每个程序都把这些很常用的函数的实现包含在内的话,就会占用很多空间
有一个很好的办法,把这些常用的函数实现提取成单独的文件(动态链接库),放在某个地方,一个程序需要使用某个函数的时候再去加载对应的库,这样就能节省很多空间
示例
// main.cdata:image/s3,"s3://crabby-images/5ac82/5ac820c2242c63da95072cbf29f2f83d5dad6008" alt="1553306805246.jpg"
void hello();
int main()
{
hello();
return 0;
}
// hello.c
#include <stdio.h>
void hello()
{
printf("Hello World from hello.c\n");
}
编译测试一下
gcc main.c hello.c -o main && ./main
data:image/s3,"s3://crabby-images/a19bd/a19bdad43d2165c8df33ea699b37d85070f55960" alt=""
接下来将hello.c
编译成动态链接库试一试
gcc hello.c -shared -o libhello.so
data:image/s3,"s3://crabby-images/7743b/7743b42e67967951a679d894ff152a8afedf30f5" alt=""
可以看到编译出了libhello.so
接下来编译main.c
,并且制定使用libhello
这个库,在当前目录查找库文件
gcc main.c -lhello -L. -o main
data:image/s3,"s3://crabby-images/1192d/1192db02adbe321637287ec1161e78937dd4c1da" alt=""
运行一下试试
data:image/s3,"s3://crabby-images/1049f/1049f9c6e3b3e6c2c04b602bee0bf8461d1f38ed" alt=""
试试把libhello.so
的名字改了,或者移动到其他地方,让main
找不到动态库
data:image/s3,"s3://crabby-images/c33ef/c33ef9676e33c58f485a738dd8f67f9909693e2c" alt=""
可以很明确的看出,程序是在运行时动态加载libhello.so
库的,如果这个库被移动或者改名了,程序就不能正常运行
用ldd命令看看动态库的依赖
ldd ./main
data:image/s3,"s3://crabby-images/2257f/2257fecdbfc30cdb2e8130c381e51613ef307bb5" alt=""
静态链接
简介
静态链接就是直接把所有运行时需要的库,全部包含进程序中,打包在一起,这样就不管外面的库怎么移动怎么改名怎么缺少,程序都可以运行
示例
还是之前的代码,将hello.c
编译,但是不作链接
gcc -c hello.c -o hello.o && ll
data:image/s3,"s3://crabby-images/3ac9f/3ac9f9438bb343b8cdb5c68a6a97452d0f377a0e" alt=""
再把hello.o
打包成静态库文件
ar -r libhello.a hello.o && ll
data:image/s3,"s3://crabby-images/ff2ec/ff2ec85c048b4fd30e60d3d8f0f07c32463bc908" alt=""
再来编译main.c
并且把libhello.a
静态链接进程序中
gcc main.c -lhello -L. -static -o main_static
data:image/s3,"s3://crabby-images/4baec/4baec147fa02d0aed49577dd4e9e5c4ea0f5e2a5" alt=""
运行结果一切正常,并且跟静态库已经没有关系了,删掉静态库程序依然可以运行
data:image/s3,"s3://crabby-images/1e985/1e985f72cac5441c15d4ff16e8aa2599ec9da0f1" alt=""
用ldd
命令看看
ldd ./main_static
data:image/s3,"s3://crabby-images/28c7f/28c7f4f32f44a37f9022201c5c4fc4863b637a10" alt=""
小结
没有小结,自己看书去!
网友评论