我正在使用SWIG从Python接受大小可变的列表,将其发送到C ++以对其进行处理,然后将其发送回Python以进行打印。
我是Python,C ++和Swig的新手。目前,发送的列表将在我的C ++函数中作为矢量参数处理。之后,该函数返回的是一个指针,该指针由“输出”类型映射处理。
该列表可以从Python显示,但是只有在out typemap中指定了大小时才可以显示。目前,我需要使其处理各种大小的列表。
尝试实现此目标时,我最终返回的是地址,而不是Python中的列表。
下面展示了在给定大小的情况下可以工作的代码。
customvector.cc
#include "customvector.h"
#include <algorithm>
#include <functional>
float * summy(std::vector<float> a)
{
float * p = a.data();
return p;
}
customvector.h
#include <stdio.h>
#include <iostream>
#include <vector>
float * summy(std::vector<float> a);
customvector.i
/* File: customvector.i */
%module customvector
%{
#define SWIG_FILE_WITH_INIT
#include "customvector.h"
%}
%include "std_vector.i"
%include <stdint.i>
namespace std {
%template(Line) vector < float >;
}
%typemap(out) float* summy{
int i;
$result = PyList_New(3);
for (i = 0; i < 3; i++) {
PyObject *o = PyFloat_FromDouble((double) $1[i]);
PyList_SetItem($result,i,o);
}
}
float * summy(std::vector<float> a);
我的python结果:
>>> import customvector
>>> a = [1,2,3]
>>> customvector.summy(a)
[1.0, 2.0, 3.0]
然后我编辑了我的界面文件,以使out typemap现在使用[ANY]而不是3来允许长度变化。
编辑的customvector.i
/* File: customvector.i */
%module customvector
%{
#define SWIG_FILE_WITH_INIT
#include "customvector.h"
%}
%include "std_vector.i"
%include <stdint.i>
namespace std {
%template(Line) vector < float >;
}
%typemap(out) float* summy [ANY]{ //changed from 3 to [ANY]
int i;
$result = PyList_New($1_dim0); //changed from 3 to $1_dim0
for (i = 0; i < $1_dim0; i++) {
PyObject *o = PyFloat_FromDouble((double) $1[i]);
PyList_SetItem($result,i,o);
}
}
float * summy(std::vector<float> a);
Python的结果:
>>> import customvector
>>> a = [1,2,3]
>>> customvector.summy(a)
<Swig Object of type 'float *' at 0x000001E4E32E6420>
这不是我想要的,它应该显示之前显示的内容。
我尝试按照此处列出的文档进行操作:http://www.swig.org/Doc2.0/Typemaps.html#Typemaps_nn40,以便SWIG获得比输出高的值,但似乎不起作用。
我也遇到了这个解决方案,以允许长度变化:Python/SWIG: Output an array 但是我不确定它在尝试使用时如何工作,但是代码无法编译(说没有定义Templen)。
如何从C ++输出到python这样大小可变的数据?
答案 0 :(得分:0)
您的实现中有未定义的行为。为什么不也将std :: vector用作返回值?
%module test
%include <std_vector.i>
%template() std::vector<float>;
%inline %{
std::vector<float> summy(std::vector<float> a)
{
for(auto& i: a)
i += 1;
return a;
}
%}
演示:
>>> import test
>>> test.summy([1,2,3,4])
(2.0, 3.0, 4.0, 5.0)
返回向量的默认行为是使用元组。可以用typemap覆盖:
%module test
%include <std_vector.i>
%template() std::vector<float>;
%typemap(out) std::vector<float> %{
$result = PyList_New($1.size());
for (int i = 0; i < $1.size(); ++i)
PyList_SET_ITEM($result,i,PyFloat_FromDouble($1[i]));
%}
%inline %{
#include <vector>
std::vector<float> summy(std::vector<float> a)
{
for(auto& i: a)
i += 1;
return a;
}
%}
演示:
>>> import test
>>> test.summy([1,2,3,4])
[2.0, 3.0, 4.0, 5.0]