
linux版的动态库
写个简单的C代码,test.c
1 2 3 4 5 6 7 8 | # include <stdio.h>
# include <stdlib.h>
char * printStr( const char *p, const char *q)
{
printf( "%s" ,p);
printf( "%s" ,q);
return "djstava" ;
}
|
通过以下命令编译成动态链接库
1 | gcc -fPIC -shared -o libtest.so test.c
|
相关推荐:《Python入门教程》
python3中调用
要调用C库中的函数,需要用到ctypes这个模块
1 2 3 4 5 6 7 8 | # -*- coding: utf-8 -*-
from ctypes import *
handle = cdll.LoadLibrary( 'libtest.so' )
func = handle.printStr
func.argtypes = (c_char_p,c_char_p)
func.restype = c_char_p
tmp = handle.printStr( "hello" .encode( "utf-8" ), "world" .encode( "utf-8" ))
print (tmp.decode( "utf-8" ))
|
程序执行结果:
程序解释
1 2 | func.argtypes = (c_char_p,c_char_p)
func.restype = c_char_p
|
这2句是分别设置参数数据类型和返回值类型,如果不进行设置,直接调用的话,参数可以正常接收,但是返回值永远是个int值,传入的字符串参数必须为encode("utf-8"),否则在c库中仅会打印为首字符。
1 2 | handle = cdll.LoadLibrary( 'libtest.so' )
ret = handle.printStr( "hello" .encode( "utf-8" ), "world" .encode( "utf-8" ))
|
windows版的动态库
Visual Studio编译dll,在需要抛出的方法前加入__declspec(dllexport), 比如下面C代码:
1 2 3 4 5 6 7 8 9 | __declspec(dllexport) unsigned int crc32( const unsigned char *s, unsigned int len)
{
unsigned int i;
unsigned int crc32val=0xffffffff;
printf( "len==%d\n" ,len);
for (i = 0; i < len; i ++)
crc32val = crc32_tab[(crc32val ^ s[i]) & 0xff] ^ ((crc32val >> 8)&0x00FFFFFF);
return ~crc32val;
}
|
然后打开VS X64工具命令行提示符,进入到C源码目录,分别执行以下两条命令,第一条命令是生成目标文件.obj,第二天命令是链接目标文件,生成动态库。
1 2 | cl /c crc.c
link /dll crc.obj
|
至此,dll文件就生成了,它就是我们需要的动态链接库,dll的调用跟so的方法一样。