更新 关于GitHub的最小例子:https://github.com/wl2776/cython_error
我有一个C库,我想从Python访问。我正在为它开发一个Cython包装器。
该库具有以下声明:
文件“globals.h”
typedef struct
{
int x;
int y;
int radius;
} circleData;
文件“O_Recognition.h”
#include "globals.h"
typedef struct
{
int obj_count;
circleData circle_data[2];
float parameters[2];
} objectData;
我将这些类型映射到.pxd文件中的Cython,如下所示:
文件“cO_Recognition.pxd”:
cdef extern from "globals.h":
ctypedef struct circleData:
int x;
int y;
int radius;
cdef extern from "O_Recognition.h":
ctypedef struct objectData:
int obj_count;
circleData circle_data[2];
float parameters[2];
这不会编译。我收到了错误:
Error compiling Cython file:
------------------------------------------------------------
...
void PyTuple_SET_ITEM(object p, Py_ssize_t pos, object o)
void PyList_SET_ITEM(object p, Py_ssize_t pos, object o)
@cname("__Pyx_carray_to_py_circleData")
cdef inline list __Pyx_carray_to_py_circleData(circleData *v, Py_ssize_t length):
^
------------------------------------------------------------
carray.to_py:112:45 'circleData' is not a type identifier
还有一个细节,这是CMake项目的一部分,它是使用GitHub中的这个例子构建的:https://github.com/thewtex/cython-cmake-example
CMakeLists.txt的相关部分包含带有其他名称的.pyx文件,cimport
这个cDeclarations.pxd
答案 0 :(得分:2)
问题是circleData
extern块中O_Recognition.h
未定义。其先前的定义仅适用于globals.h
extern块。
只需要包含它的类型,以便Cython知道它是什么。它不需要重新定义。
cdef extern from "globals.h" nogil:
ctypedef struct circleData:
int x;
int y;
int radius;
cdef extern from "O_Recognition.h" nogil:
ctypedef struct circleData:
pass
ctypedef struct objectData:
int obj_count;
circleData circle_data[2];
float parameters[2];
编译代码时,.c
文件将include
两个头文件,并从globals.h
获取circleData的类型定义。
从技术上讲,不需要circleData
extern块中globals.h
成员的定义,除非结构成员将在Cython代码中使用。
请记住,pxd
文件是Cython代码的定义,而不是C代码。仅包含要在Cython代码中使用的成员,否则只能定义上面每个识别外部块的circleData
每个成员的类型。