6

我正在包装一个包含结构的 C 库:

struct SCIP
{
//...
}

以及创建这样一个结构的函数:

void SCIPcreate(SCIP** s)

SWIG 从中生成一个 python 类SCIP和一个函数SCIPcreate(*args)

当我现在尝试SCIPcreate()在 python 中调用时,它显然需要一个 type 参数,SCIP**我应该如何创建这样的东西?

或者我应该尝试使用自动SCIP调用的构造函数来扩展类SCIPcreate()?如果是这样,我会怎么做?

4

1 回答 1

5

给定头文件:

struct SCIP {};

void SCIPcreate(struct SCIP **s) {
  *s = malloc(sizeof **s);
}

我们可以使用以下方法包装这个函数:

%module test
%{
#include "test.h"
%}

%typemap(in,numinputs=0) struct SCIP **s (struct SCIP *temp) {
  $1 = &temp;
}

%typemap(argout) struct SCIP **s {
  %set_output(SWIG_NewPointerObj(SWIG_as_voidptr(*$1), $*1_descriptor, SWIG_POINTER_OWN));
}

%include "test.h"

这是两个类型映射,一个创建一个本地临时指针,用作函数的输入,另一个将调用后指针的值复制到返回中。

作为替代方案,您还可以使用%inline设置重载:

%newobject SCIPcreate;
%inline %{
  struct SCIP *SCIPcreate() {
    struct SICP *temp;
    SCIPcreate(&temp);
    return temp;
  }
%}
于 2012-11-18T17:34:23.043 回答