<Swig Object of type 'std::map< char,int > 的代理

proxy of <Swig Object of type 'std::map< char,int >

从 python 调用以下代码:

from f_p import form_p
print(form_p([1,2,3]))

给我以下错误

错误:

(<f_p.mapiv; proxy of <Swig Object of type 'std::map< char,int > *' at 0x7f09778fc270> >,)

如何解决? 我正在尝试在 swig 中为我的 cpp 代码创建一个包装器。 代码文件:

f_p.i:

%module f_p
#define SWIGPYTHON_BUILTIN

%{
  #include "numpy/arrayobject.h"
  #define SWIG_FILE_WITH_INIT  /* To import_array() below */
  #include "f_p.h"
%}

%include "std_map.i"
%import "std_deque.i" 
// %include "numpy.i"
%import "std_vector.i" 

#include <deque>

%template() std::vector<int>;

%template (map) std::map<char,int>;
%template(MapDeque) std::deque<std::map<char, int>>;


%include "f_p.h"

f_p.cpp:

#include <deque> 
#include <iostream> 
using namespace std; 

#include <vector>
#include <map>  

deque<map<char, int>> form_p(vector<int> inp_list) 
{
    map<char, int> my_map = {
    { 'A', 1 },
    { 'B', 2 },
    { 'C', 3 }
    };
    deque<map<char, int>> mydeque;
    mydeque.push_back(my_map); 
    return mydeque;
}

f_p.h:

#ifndef F_P_H
#define f_P_H
#include <stdio.h>
#include <deque>
#include <map>
#include <vector>

/* Define function prototype */
std::deque<std::map<char, int>> form_p(std::vector<int> inp_list) ;
#endif

build.sh:

rm *.o f_p_wrap.cpp _f_p.so f_p.py
rm -rf __pycache__

g++ -O3 -march=native -fPIC -c f_p.cpp

swig -python -c++ -o f_p_wrap.cpp f_p.i

# Next, compile the wrapper code:

g++ -O3 -march=native -w -fPIC -c $(pkg-config --cflags --libs python3) -I /home/kriti/anaconda3/lib/python3.7/site-packages/numpy/core/include f_p.cpp f_p_wrap.cpp

g++ -std=c++11 -O3 -march=native -shared f_p.o f_p_wrap.o -o _f_p.so -lm

我无法获得输出。我不知道如何使用双端队列的东西。对于 map 和 vector,我可以生成结果,但不能使用 deque 并且当 map 中有 char 时。

您标记为 "Error" 的是正确的(或至少是预期的)结果:双端队列被转换为 Python 元组。要访问您的地图,只需访问第一个元素,然后访问地图:

>>> from f_p import form_p
>>> print(form_p([1,2,3]))
(<f_p.map; proxy of <Swig Object of type 'std::map< char,int > *' at 0x7f16259a1c60> >,)
>>> d = form_p([1,2,3])
>>> len(d)
1
>>> d[0]
<f_p.map; proxy of <Swig Object of type 'std::map< char,int > *' at 0x7f16259aeb40> >
>>> m = d[0]
>>> len(m)
3
>>> m.keys()
['A', 'B', 'C']
>>> m['B']
2
>>> for m in d:
...     print m.keys()
... 
['A', 'B', 'C']
>>> 

编辑:根据评论进行跟进。 std::deque 已经有一个 "out" 类型映射,不幸的是它匹配得更紧密,所以除非你完全指定 std::deque<std::map<char, int>> form_p (即使用函数名称),否则它不会匹配,所以下面示例改为使用 "ret" 来应用于 return 这样的双端队列的所有函数。添加到 f_p.i:

%typemap(ret) std::deque<std::map<char, int>> {
  $result = PyTuple_New(.size());
  for (int i = 0; i < (int).size(); ++i)
    PyTuple_SetItem($result, i, swig::traits_from<std::map<char, int>>::asdict([i]));
}

此代码创建一个元组(如果您更喜欢 python 列表,请使用 PyList_NewPyList_SetItem),然后遍历双端队列中的条目并将它们转换为 python 口述。 asdict 调用是一个生成的 python 函数,您也可以在 python post 中使用它 - 如果您愿意,可以在 .i 中处理代码。

有了这个,结果是:

>>> from f_p import form_p
>>> print(form_p([1,2,3]))
({'A': 1, 'C': 3, 'B': 2},)
>>>