我在 Python 3.6 中使用 ctypes 与 C 库交互。其中一个函数启用库并将类型定义返回到需要传递给后续函数调用的内部对象。这是一个例子:// Type definition of the internal object.typedef struct lib_internal_obj * lib_internal_obj_t;/** * Struct containing the available options for the library */struct lib_options { char ip[255]; int bufsize_MB; };/** Constructor of a lib object. * \return A newly created lib object or NULL if construction failed */extern lib_internal_obj_t lib_internal_obj_new(struct lib_options * options); /** * Example of how the internal object is used. * */extern int lib_get_options(lib_internal_obj_t obj, struct lib_options *options);/** * Destructor of the lib object. */extern void lib_del(lib_internal_obj_t *obj);我不知道这个对象是如何返回并用Python中的ctypes存储的。我认为它的工作原理就像 Python 中的普通函数调用一样。这是我尝试过的:import ctypes as cclass LIB_OPTIONS(c.Structure): """Struct containing the available options for the library""" _fields_ = [ ('ip', c.c_char * 255), ('bufsize_MB', c.c_int) ]# Open C libc_lib = c.CDLL('./path/to/lib/lib.so', mode=1)# Set optionslib_opts = LIB_OPTIONS()lib_opts.ip = "192.168.1.1".encode('utf-8')lib_opts.bufsize_MB = 2# Not sure how to handle thislib_object = c_lib.lib_internal_obj_new(c.byref(lib_opts))当我运行这个时,我收到以下错误:Process finished with exit code 139 (interrupted by signal 11: SIGSEGV)我很确定这与电话有关clib.lib_internal_obj_new。有没有办法返回 typedef 结构并从 ctypes 中正确存储它。任何帮助是极大的赞赏。
1 回答
慕的地10843
TA贡献1785条经验 获得超8个赞
出现问题的常见原因ctypes是没有定义.argtypes和.restype调用函数。特别是,返回类型默认为 an c_int(通常为 32 位),在 64 位系统上,您的函数将返回 64 位指针。
import ctypes as c
class LIB_OPTIONS(c.Structure):
"""Struct containing the available options for the library"""
_fields_ = [('ip', c.c_char * 255),
('bufsize_MB', c.c_int)]
c_lib = c.CDLL('./test')
c_lib.lib_internal_obj_new.argtypes = c.POINTER(LIB_OPTIONS), # 1-tuple declaring input parameter
c_lib.lib_internal_obj_new.restype = c.c_void_p # generic pointer
lib_opts = LIB_OPTIONS(b'192.168.1.1',2)
lib_object = c_lib.lib_internal_obj_new(c.byref(lib_opts))
添加回答
举报
0/150
提交
取消