带有不同结构指针的函数的Swig包装器

时间:2019-02-07 13:46:58

标签: python c swig

我想包装以下C函数。注意,类型从Foo_t *转换为Bar_t *:

void function(Foo_t * f) {
      Bar_t * b = (Bar_t *) f;  // casting is done in C original code
      //do sth with b
}

Swig生成遵循以下模式的包装器:

void wrap_function( Foo_t *foo ) {
     function(foo);
}

但是在python中,我想使用Bar_t实例调用包装函数:

b = Bar_t()
function(b) 

因此,我启动了以下类型映射:

%typemap(in) Foo * {
  Bar_t *temp;
  int res0 = 0;
  Foo_t *arg = 0;

  res0 = SWIG_ConvertPtr($input, (void **) &temp, $descriptor(Bar_t *), 0|0);
    if (!SWIG_IsOK(res0)) {
        SWIG_exception_fail(SWIG_ArgError(res0), "in method '" "function" "', argument " "1"" of type '" "Bar_t *""'"); 
    } 
     $1 = (Foo_t *) temp;
     function(arg);
}

但是抛出了异常!

如何从Bar_t *投射到Foo_t *?

1 个答案:

答案 0 :(得分:0)

如果使类型映射期望Foo *输入使用Python Bar_t包装器,则将无法将Foo *传递给Foo *输入。而是,导出演员助手。请注意,%inline标记既实现并导出内容的包装。

test.h

#ifdef _WIN32
#   ifdef EXPORT
#       define API __declspec(dllexport)
#   else
#       define API __declspec(dllimport)
#   endif
#else
#   define API
#endif

typedef struct Foo {
    int a;
} Foo_t;

typedef struct Bar {
    int b;
} Bar_t;

API void function(Foo_t * f);

test.c

#define EXPORT
#include <stdio.h>
#include "test.h"

API void function(Foo_t * f) {
      Bar_t * b = (Bar_t *) f;  // casting is done in C original code
      // do something with b
}

test.i

%module test

%{
#include "test.h"
%}

%inline %{
Foo_t* Foo_cast(Bar_t* bar) {
    return (Foo_t*)bar;
}
%}

%include "test.h"

测试:

>>> import test
>>> bar = test.Bar_t()
>>> test.function(test.Foo_cast(bar))
>>> foo = test.Foo_t()
>>> test.function(foo)
>>>