调用动态链接库

Python被称为胶水语言,就是因为其强大的调用功能,在功能库的支持下,Python可以调用其他语言的功能。但在实际应用中,Python更多的还是调用C语言编写的动态链接库,因为这会给Python提供强大的计算性能和低级别操作的补充。

对于动态链接库的调用是通过标准库ctypes模块实现的。ctypes可以调用以下几种动态链接库:

  • CDLL,一般共享库,常用于Linux,例如libc.so
  • WinDLL,Windows动态链接库,只用于Windows系统;
  • OleDLL,Windows系统中的OLE动态练级库,只用于Windows系统;
  • PyDLL,与CDLL类似,但是会抛出Python的异常。

假设现在有一个stdcall格式定义的动态链接库test.dll,其定义为:

extern "C"
{
	int _stdcall test(void* p, int len)
	{
		return len;
	}
}

那么在Windows系统中可以按照以下方式调用:

import ctypes
dll = ctypes.windll.LoadLibrary('test.dll')
buf = 'abcdefg'
pStr = ctypes.c_char_p()
pStr.value = buf
ret = dll.test(ctypes.cast(pStr, ctypes.c_void_p).value, pStr.value)
print(ret)

如果动态链接库test.dll(Linux中为test.so)的定义是使用cdecl格式定义的,如:

extern "C"
{
	int _cdecl test(void* p, int len)
	{
		return len;
	}
}

则需要使用相应的类型去调用:

import ctypes
dll = ctypes.cdll.LoadLibrary('test.so')
buf = 'abcdefg'
pStr = ctypes.c_char_p()
pStr.value = buf
ret = dll.test(ctypes.cast(pStr, ctypes.c_void_p).value, pStr.value)
print(ret)