最近,在摸索一个开源项目,该项目是c++写的,为了能够使c++代码生成类似C#中.dll文件,然后直接的调用,我发现了.so文件有类似的用途。
文件后缀解释:
(1) .o,是目标文件,相对于windows中的.obj文件,它由.cpp文件编译生成,然后通过链接形成可执行文件。
(2) .so为共享库,是shared object,用于动态连接的,和dll差不多
(3) .a 为静态库,是好多个.o合在一起,用于静态连接
(4) .la为libtool自动生成的一些共享库,主要记录了一些配置信息。
接下来将举例来说明.so文件的生成和使用,下列例子有一个头文件:so_test.h,和3个.c文件:test_a.c, test_b.c, test_c.c,我们将这些文件编译成一个动态库:libtest.so
环境:linux环境
一.编译生成.so文件
so_test.h中的代码:
#include <stdio.h>
#include <stdlib.h>
void test_a();
void test_b();
void test_c();test_a.c中的代码:
#include "so_test.h"
void test_a(){
	printf("this is in test_a...\n");
}test_b.c中的代码:
#include "so_test.h"
void test_b(){
	printf("this is in test_b...\n");
}test_c.c中的代码:
#include "so_test.h"
void test_c(){
	printf("this is in test_c...\n");
}使用如下的命令将这几个文件编译成一个动态库:libtest.so
$ gcc test_a.c test_b.c test_c.c -fPIC -shared -o libtest.so二.链接动态库.so文件,并使用
通过上述的过程,我们已经了动态链接库libtest.so,下面我们通过test程序来调用这个库中的函数。该程序写在test.c中
test.c中的代码:
#include "so_test.h"
int main(){
	test_a();
	test_b();
	test_c();
	return 0;
}通过如下命令,将test.c与动态库libtest.so链接生成可执行文件test:
$ gcc test.c -L. -ltest -o test运行test
$ ./test将会有如下的结果出现,说明libtest.so的编译和使用成功
    
三.使用Scons来编译
    1.在和.c文件相同的目录下创建
    
     SConstruct
    
    文件,该文件是一个python文件,是Scons编译的一个入口,并在里面写入如下的编译命令生成.so文件libtest.so
   
SharedLibrary('libtest', ['test_a.c', 'test_b.c', 'test_c.c'])2.将.so库文件与测试程序test.c链接成可执行文件
Program('test.c', LIBS=['libtest'], LIBPATH='.')执行test的过程如上,其结果是一样的,但是使用Scons编译更加的便捷。
 
