Linux系统共享库编程
一、说明
雷同Windows系统中的动态链接库,Linux中也有相应的共享库用以支持代码的复用。Windows中为*.dll,而Linux中为*.so。下面具体先容如何建设、利用Linux的共享库。
二、建设共享库
在mytestso.c文件中,代码如下:
#include <stdio.h>
#include <stdlib.h>
int GetMax(int a, int b)
{
if (a >= b)
return a;
return b;
}
int GetInt(char* psztxt)
{
if (0 == psztxt)
return -1;
return atoi(psztxt);
}
然后利用下列呼吁举办编译:
gcc -fpic -shared mytestso.c -o mytestso.so
-fpic 使输出的工具模块是凭据可重定位地点方法生成的
编译乐成后,当前目次下有mytestso.so,此时已乐成建设共享库mytestso.so。
三、利用共享库
共享库中的函数可被主措施加载并执行,可是不必编译时链接到主措施的方针文件中。主措施利用共享库中的函数时,需要事先知道所包括的函数的名称(字符串),然后按照其名称得到该函数的起始地点(函数指针),然后即可利用该函数指针利用该函数。
在mytest.c文件中,代码如下:
#include <dlfcn.h>
#include <stdio.h>
int main(int argc, char* argv[])
{
void* pdlhandle;
char* pszerror;
int (*GetMax)(int a, int b);
int (*GetInt)(char* psztxt);
int a, b;
char* psztxt = "1024";
// open mytestso.so
pdlhandle = dlopen("./mytestso.so", RTLD_LAZY);
pszerror = dlerror();
if (0 != pszerror) {
printf("%s\n", pszerror);
exit(1);
}
// get GetMax func
GetMax = dlsym(pdlhandle, "GetMax");
pszerror = dlerror();
if (0 != pszerror) {
printf("%s\n", pszerror);
exit(1);
}
// get GetInt func
GetInt = dlsym(pdlhandle, "GetInt");
pszerror = dlerror();
if (0 != pszerror) {
printf("%s\n", pszerror);
exit(1);
}
// call fun
a = 200;
b = 600;
printf("max=%d\n", GetMax(a, b));
printf("txt=%d\n", GetInt(psztxt));
// close mytestso.so
dlclose(pdlhandle);
}
然后利用如下呼吁举办编译:
gcc mytest.c -ldl -o mytest
-ldl选项,暗示生成的工具模块需要利用共享库
(1)dlopen()
第一个参数:指定共享库的名称,将会在下面位置查找指定的共享库。
-情况变量LD_LIBRARY_PATH列出的用分号隔断的所有目次。
-文件/etc/ld.so.cache中找到的库的列表,用ldconfig维护。
-目次usr/lib。
-目次/lib。
-当前目次。
第二个参数:指定如何打开共享库。
-RTLD_NOW:将共享库中的所有函数加载到内存
-RTLD_LAZY:会推后共享库中的函数的加载操纵,直到挪用dlsym()时方加载某函数
(2)dlsym()
挪用dlsym时,操作dlopen()返回的共享库的phandle以及函数名称作为参数,返回要加载函数的进口地点。
(3)dlerror()
该函数用于查抄挪用共享库的相关函数呈现的错误。
四、竣事语
本文主要叙述了Linux系统利用共享库的编程问题,并通过一个简朴的实例具体说明。