python中调用C语言动态库的方法,以及指针、引用、数组指针、结构体指针、字符串等参数的传递(新增回调函数用法)

  • Post author:
  • Post category:python


原文连接:

python中ctypes使用:指针和指针数组的调用


目录


导入C语言动态库


参数传递问题(指针、引用、数组指针、结构体指针、字符串)


接收函数的非空返回值的问题


导入C语言动态库

# coding=utf-8
import os

os.add_dll_directory("动态库所在的绝对路径")
test = cdll.LoadLibrary('动态库名称.dll')

参数传递问题(指针、引用、数组指针、结构体指针、字符串)

# coding=utf-8
import os
import ctypes
from ctypes import *

os.add_dll_directory("动态库所在的绝对路径")
test = cdll.LoadLibrary('动态库名称.dll')

## 传递指针
# 定义一个指向c_int的指针
# c_int(0) 代表的是这个c_int变量的值为0,即c_int(6)代表变量值为6,而不是申请了一个拥有6个c_int变量的数组
pValue = pointer(c_int(0))
# C语言函数原型:void FunPoint(int *pValue);
test.FunPoint(pValue)


## 传递引用
value = c_int(0)
# C语言函数原型:void FunByref(int &value);
test.FunByref(byref(value))


## 传递数组指针
# data:一个指向(拥有6个c_int类型的元素的数组)的指针
data = (c_int * 6)()
# C语言函数原型:void FunArray(int *arr, int size);
test.FunArray(data, 6)


## 传递结构体指针
class StructureTmp(Structure):
    _fields_ = [
        ('name', c_int),
        ('age', c_int),
    ]

# data2:一个指向(拥有6个结构体 StructureTmp 类型的元素的数组)的指针
data2 = (StructureTmp * 6)()
# C语言函数原型:void FunStructArray(StructureTmp *arr, int size);
Struct_Ptr = ctypes.POINTER(StructureTmp)
# 约定函数的传入参数的类型
test.FunStructArray.argtypes = [Struct_Ptr, c_int]
test.FunStructArray(data2, c_int(6))


## 传递字符串
snSize = 64
# 下面两种方法都可以
sn = (c_char * snSize)()
sn = create_string_buffer(''.encode('utf-8'), snSize)
# C语言函数原型:void FunStr(char *pStr, int size);
test.FunStr(sn, c_int(snSize))
# 输出字符串
print('GetSn = ' + str(sn.value))

接收函数的非空返回值的问题

# coding=utf-8
import os
import ctypes
from ctypes import *

os.add_dll_directory("动态库所在的绝对路径")
test = cdll.LoadLibrary('动态库名称.dll')


## 约定函数的返回值的类型
# C语言函数原型:int Fun1();
test.Fun1.restype = ctypes.c_int
ret = test.Fun1()


## 函数返回char *(字符串)
# C语言函数原型:char * FunStr();
test.FunStr.restype = ctypes.c_char_p
print("str :" + str(test.FunStr()))

回调函数

# 定义错误码处理函数
def PrintErrorCode(errorCode, axisIndex):
    print('get callback req:', errorCode + axisIndex)


# 定义错误码处理函数的 函数类型(返回值和传入参数)
# 第一个None代表返回值为void
# 后面为参数函数的传入参数
ErrorCodeFun = CFUNCTYPE(None, c_int, c_int)


if __name__ == '__main__':
    PrintErrorCode(1, 2)

    # 获取错误码处理函数的变量
    errorCodeFun = ErrorCodeFun(PrintErrorCode)
    # 注册错误码处理函数
    device.SetHandleErrorCodeFun(errorCodeFun)

    # 以下为错误用法
    # 声明函数的传入参数类型,然后直接传入函数名这种会发生错误,原因未知
    device.SetHandleErrorCodeFun.argtypes = [ErrorCodeFun]
    device.SetHandleErrorCodeFun(PrintErrorCode)