文章目录
1.编辑生成例子程序 hello.h、hello.c 和 main.c
创建项目目录
mkdir test1
cd test1
编辑生成所需要的 3 个文件
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.c
#include "hello.h"
int main()
{
hello("everyone");
return 0;
}
2.将 hello.c 编译成.o 文件
无论静态库,还是动态库,都是由.o 文件创建的
gcc -c hello.c
用ls命令查看
3.由.o 文件创建静态库
静态库文件名的命名规范是以 lib 为前缀,紧接着跟静态库名,扩展名为.a,创建静态库用 ar 命令
ar -crv libmyhello.a hello.o
4.在程序中使用静态库
gcc main.c libmyhello.a -o hello
./hello
5.由.o 文件创建动态库文件
动态库文件名命名规范和静态库文件名命名规范类似,也是在动态库名增加前缀 lib,但其 文件扩展名为.so,用 gcc 来创建动态库。
gcc -shared -fPIC -o libmyhello.so hello.o
注意:-o 不可少
6.在程序中使用动态库
用 gcc 命令生成目标文件时指明动态库名进行编译
gcc -o hello main.c -L. -lmyhello
没有libmyhello.so会报错,输入以下
gcc main.c libmyhello.so -o hello
没有报错,但是用./hello会报错
是找不到动态库文件 libmyhello.so。程序在运行时, 会在/usr/lib 和/lib 等目录中查找需要的动态库文件。若找到,则载入动态库,否则将提 示类似上述错误而终止程序运行。我们将文件 libmyhello.so 复制到目录/usr/lib 中,再试试。
mv libmyhello.so /usr/lib
./hello
Hello everyone!
7.多个文件生成静态库或动态库与目标文件链接
- 创建目录
mkdir test2
cd test2
- 编辑生成所需要的 4 个文件
x2x.c
#include <stdio.h>
void print1(int arg)
{ printf("A1 print arg:%d\n",arg);
}
y2y.c
#include<stdio.h>
void print2(char *arg)
{
printf("A2 printf arg:%s\n",arg);
}
xy.h
#ifndef A_H
#define A_H
void print1(int);
void print2(char *);
#endif
main.c
#include<stdlib.h>
#include "xy.h"
int main()
{
print1(1);
print2("test");
return 0;
}
- 静态库.a 文件的生成与使用
3.1 生成目标文件
gcc -c x2x.c y2y.c
3.2 生成静态库.a文件
ar -crv libafile.a x2x.0 y2y.o
3.3 链接文件,执行文件
gcc main.c libafile.a -o test
./test
4. 共享库.so 文件的生成与使用
4.1 生成共享库.so文件
gcc -shared -fPIC -o libsofile.so x2x.0 y2y.o
4.2 使用.so共享库,创建可执行程序
注意:与上面相同,需将生成的动态库文件复制到目录/usr/lib
gcc main.c libsofile.so -o test
./test