目录
一、 用 gcc 生成 .a 静态库和 .so 动态库
(1)创建三个文件hello.h、hello.c、main.c
(2)输入代码
hello.h
#ifndef HELLO_H
#define HELLO_H
void hello(const char *name);
#endif//HELLO_H
hello.c
#include<stdio.h>
void hello(const char *name)
{
printf("Hello %s\n",name);
}
main.h
#include"hello.h"
int main()
{
hello("everyone");
return 0;
}
(3)将hello.c编译成.o文件
无论静态库,还是动态库,都是由.o 文件创建的,因此需先将源程序hello.c通过gcc先编译成 .o文件。
输入
gcc -c hello.c//编译成 .o文件
ls //查看
(4)由 .o文件创建静态库
ar -crv libmyhello.a hello.o//生成静态库
ls //查看
(5)在程序中使用静态库
#gcc main.c libmyhello.a -o hello //连接
#rm libmyhello.a // 移除
./hello //查看、验证
(6)由.o 文件创建动态库文件
gcc -shared -fPIC -o libmyhello.so hello.o //生成动态库
ls // 查看
-shared:该选项指定生成动态连接库
-fPIC:表示编译为位置独立的代码
生成一个 .so的文件
(7)在程序中使用动态库
gcc -o hello main.c -L. -lmyhello #生成目标文件
./hello
gcc main.c libmyhello.so -o hello
./hello
不能找到libmyhello.so文件,因为由于运行时,是在/usr/lib中找库文件的,所以解决方法:将libmyhello.so复制到目录/usr/lib中。
mv libmyhello.so /usr/lib
系统提示权限不够,可以加上sudo
sudo mv libmyhello.so /usr/lib
成功输出 hello everybody
二、使用实例
建立sub.c、sub1.c、sub.h、main.c文件
sub.c
float x2x(int a,int b)
{
float c=0;
c=a+b;
return c;
}
sub1.c
float x2y(int a,int b)
{
float c=0;
c=a/b;
return c;
}
sub.h
#ifndef SUB_H
#define SUB_H
float x2x(int a,int b);
float x2y(int a,int b);
#endif
main.c
#include<stdio.h>
#include"sub.h"
void main()
{
int a,b;
printf("Please input the value of a:");
scanf("%d",&a);
printf("Please input the value of b:");
scanf("%d",&b);
printf("a+b=%.2f\n",x2x(a,b));
printf("a/b=%.2f\n",x2y(a,b));
}
gcc -c sub1.c sub2.c
ar crv libsub.a sub1.o sub2.o
静态库
gcc -o main main.c libsub.a
动态库
gcc -shared -fPIC libsub.so sub1.o sub2.o
gcc -o main main.c libsub.so
三、总结
通过三个程序生成静态库、动态库的过程基本能够熟练掌握生成动态库和静态库的方法。
四、参考资料
https://blog.csdn.net/weixin_46584792/article/details/109121895。