0

我正在尝试使用 CFFI围绕一些现有的C 代码构建一个 python 接口。像往常一样,为了提高性能而修剪了 C 代码,它充满了大量的宏和 typedef。

ATM 我正在​​复制以下结构

#define DIM     3
typedef double  REAL;
struct Object_structure {
  int numpoints;
  REAL (* vertices)[DIM];
  int * rings;
};
typedef struct Object_structure * Object;

我试图调用的函数需要一个 type 的参数Object

REAL gjk_distance(
   Object obj1, REAL (* tr1)[DIM+1],
   Object obj2, REAL (* tr2)[DIM+1],
   REAL wpt1[DIM], REAL wpt2[DIM],
   struct simplex_point * simplex, int use_seed
   );

我已经编写了以下 python 类来表示这样的对象/结构,但是我无法将其转换为预期的 cdata 对象。(现在我只考虑一个 UnitCube,但最终我想概括一下。)

class Box:
    def __init__(self, pos):
        self._weakkeydict = weakref.WeakKeyDictionary()
        self.numpoints = 8
        self.rings = [
            8, 12, 16, 20, 24, 28, 32, 36,
            3, 1, 4, -1,
            0, 2, 5, -1,
            1, 3, 6, -1,
            2, 0, 7, -1,
            7, 5, 0, -1,
            4, 6, 1, -1,
            5, 7, 2, -1,
            6, 4, 3, -1]
        x, y, z = pos
        self.vertices = [
            [x+0, y+0, z+0],
            [x+1, y+0, z+0],
            [x+1, y+1, z+0],
            [x+0, y+1, z+0],
            [x+0, y+0, z+1],
            [x+1, y+0, z+1],
            [x+1, y+1, z+1],
            [x+0, y+1, z+1],
        ]

    @property
    def cdata(self):
        self._weakkeydict.clear()

        #ptr_numpoints = ffi.new("int", self.numpoints)
        ptr_rings = ffi.new("int[]", self.rings)
        vertices = [ffi.new("REAL[3]", v) for v in self.vertices]
        ptr_vertices = ffi.new("REAL *[3]", vertices )

        ptr_obj = ffi.new("Object", { 
            'numpoints': self.numpoints,
            'rings': ptr_rings,
            'vertices': ptr_vertices})
        self._weakkeydict[ptr_obj] = (ptr_rings, ptr_vertices, vertices)
        return ptr_obj

有了上述内容,我在打电话时IndexError: too many initializers for 'double *[3]' (got 8)排队ptr_vertices = ffi.new("REAL *[3]", vertices )

box1 = Box((0,0,0)) 
box2 = Box((10,0,0))
d = lib.gjk_distance( 
        [box1.cdata], ffi.NULL,
        [box2.cdata], ffi.NULL,
        ffi.NULL, ffi.NULL, 
        ffi.NULL,  0    )

对我来说,似乎尺寸以某种方式切换了。因为它应该是一个包含 3 个元素项的 8 元素数组。我希望有人可以在这里为我指明正确的方向。

4

2 回答 2

1

如果您正在创建单个项目,请使用ffi.new('REAL(*)[3]', [1, 2, 3]). 周围的括号*很重要。

在 C 中,类型REAL(*)[3]表示指向 REAL 的数组 (size=3) 的指针,而REAL*[3]表示指向 real 的数组 (size=3) 的指针。有关详细信息,请参阅指向数组/指针数组的 C 指针消歧

现在,您正在创建一个项目数组,CFFI需要一个数组类型正如您已经发现的那样。这可以比较为:

ffi.new('int*', 1)    # ok
ffi.new('int[]', 1)   # wrong
ffi.new('int*', [1, 2, 3])    # wrong
ffi.new('int[]', [1, 2, 3])   # ok

ffi.new('REAL(*)[3]', [0.1, 0.2, 0.3])    # ok
ffi.new('REAL[][3]', [0.1, 0.2, 0.3])     # wrong
ffi.new('REAL(*)[3]', [[0.1, 0.2, 0.3], [0.4, 0.5, 0.6]])    # wrong
ffi.new('REAL[][3]', [[0.1, 0.2, 0.3], [0.4, 0.5, 0.6]])     # ok
于 2016-10-08T22:27:56.860 回答
0

显然ptr_vertices = ffi.new("REAL[][3]", self.vertices )是要走的路。现在它似乎工作。

于 2016-10-08T22:27:29.637 回答