在GCC中生成静态库和动态库
一.使用简单示例创建静态和动态库
目录
1.编写示例代码
hello.c
#include<stdio.h>
void hello(const char*name){
printf("hello %s\n",name);
}
hello.h
#ifndef MAIN3_H
#define MAIN3_H
void hello(const char *name);
#endif
main3.c
#include"hello.h"
int main(){
hello("everyone");
return 0;
}
2.静态库
(1)创建静态库
语法为ar -crv libsayhello.a hello.o
(2) 使用静态库
语法为 先生成main3.o,gcc -c main3.c
再gcc -o hello mian3.c libsayhello.a
3.动态库
(1)创建动态库
语法为gcc -shared -fPIC -o libsayhello.so hello.o
(2)使用动态库
语法为先生成main3.o ,gcc -c main3.c
再gcc -o hello main3.c libsayhello.so
注意:如果此时选择编译hello,则会出现错误,这时需要改变libsayhello的文件路径。
mv libsayhello.so /usr/lib(libsayhello.so后要跟一个空格)
二.实例1使用静态和动态库
1.代码
A1.c
#include<stdio.h>
void print1(int arg)
{
printf("A1 print arg:%d\n",arg);
}
A2.c
#include<stdio.h>
void print2(char *arg)
{
printf("A2 printf arg:%s\n",arg);
}
A.h
#ifndef A_H
#define A_H
void print1(int);
void print2(char *);
#endif
test.c
#include<stdio.h>
#include"A.h"
int main()
{
print1(1);
print2("test");
return 0;
}
*可以使用gedit编写
2.静态库
语法为 ar crv libA.a A1.o A2.o(创建)
以及 gcc -o test test.c libA.a(使用)
3.动态库
语法为gcc -shared -fPIC -o libA.so A1.o A2.o(创建)
以及gcc -o test test.c libA.so (使用)
三.实例2使用静态库和动态库
1.代码
part1.c
#include<stdio.h>
int x2x(int a,int b){
return a+b;
}
part2.c
#include<stdio.h>
float x2y(int a,int b){
return a/b;
}
work.h
#ifndef WORK_H
#define WORK_H
int x2x(int a,int b);
float x2y(int a,int b);
#endif
main.c
#include<stdio.h>
#include"work.h"
void main(){
int a,b;
printf("input a and b");
scanf("%d",&a);
scanf("%d",&b);
printf("part1=%d",x2x(a,b));
printf("part2=%f",x2y(a,b));
}
2.静态库
语法为ar crv libpart.a part1.o part.o(创建)
以及 gcc -o main main.c libpart.a(使用)
3.动态库
语法为 gcc -shared -fPIC -o libpart.so part1.o part2.o(创建)
以及gcc -o main main.c libpart.so(使用)
4.静态库与动态库的比较
1.静态库
2.动态库
很明显,静态库要比动态库小很多,但是生成的main文件大小一致。
总结
在这次的实验中,我初步熟悉了静态库的特性和动态库的特性,静态库主要可以封装原来的.o文件,让其变得便于移植,但是浪费了空间,而动态库并不会直接将代码放入文件中,而是程序运行时才使用,可以进行增量更新。