一 c 生成 .so
1.编写源文件:
建立一个源文件,名命func.c:
#include<stdio.h>
int func(int a)
{
printf("func receive num is %d\n", a);
return 0;
}
2.编译生成动态链接库.so:
输入指令:
gcc -g -rdynamic func.c -fPIC -shared -o libfunc.so
3.为该动态库编写接口文件:
为了让用户指导动态库里面有哪些接口可以使用,需要另外编写库里面函数的接口文件,也就是头文件。名命我们的头文件为func.h:
#ifndef FUNC_H
#define FUNC_H
int func(int a);
#endif
4.使目标程序链接动态库
现在编写一个目标程序,命名为main.c,该程序需要使用到该动态库中的func()函数:
#include<stdio.h>
#include"func.h"
int main()
{
int temp = 0;
printf("Please input your num:");
scanf("%d", &temp);
(void)func(temp);
return 0;
}
二 c++ 生成 .so
2.1 单个c++ 生成 .so
python 的ctype可以调用C而无法调用c++,加上extern "C"后,会指示编译器这部分代码按C语言(而不是C++)的方式进行编译。
创建 test_b.app
#include <iostream>
using namespace std;
//重要知识点
extern "C"{
double add(int, int);
double subtract(int, int);
}
double add(int x1, int x2)
{
return x1+x2;
}
double subtract(int x1, int x2)
{
return x1-x2;
}
int main()
{
int a = 4;
int b =2 ;
int c;
c = add(a,b);
return c;
int d;
d = add(a,b);
return d;
}
编译成 .so。 注意so文件的名称必须以lib开头。
g++ test_b.app -fpic -shared -o libtest.so
2.2 多个 c++ 生成 .so
创建 test_b1.app,test_b2.app,test_b3.app,test_b4.app
编译成 .so。 注意so文件的名称必须以lib开头。
g++ test_b1.app test_b2.app test_b3.app test_b4.app -fpic -shared -o libtest.so
三 python调用.so
import ctypes
ll = ctypes.cdll.LoadLibrary
lib = ll("./libtest.so")
input1 = 100
input2 = 220
result1 = lib.add(input1,input2)
result2 = lib.main()
print(result1,result2)