我想为我的C++库创建一个python包装器。如果将std::vector自动转换为python列表,反之亦然,那就太好了。
不幸的是,如果我将此代码添加到我的接口(interface)文件中,在运行时仍然会出现错误。

%typemap(in) std::vector<float> value (std::vector<float> vIn) {
    int iLen = PySequence_Length($input);
    for(unsigned int i = 0; i < iLen; i++) {
        PyObject *o = PySequence_GetItem($input, i);
        if (PyNumber_Check(o)) {
            vIn.push_back((float)PyFloat_AsDouble(o) );
        }
    }
    $1 = vIn;
}
%typemap(out) std::vector<float> {
    std::vector<float> vOut = $1;
    int iLen = vOut.size();
    $result = PyList_New(iLen);
    for(unsigned int i = 0; i < iLen; i++) {
        double fVal = vOut.at(i);
        PyObject *o = PyFloat_FromDouble((double) fVal);
        PyList_SetItem($result, i, o);
    }
}

类头:
class TrainingSet {
    private:
        std::vector<std::vector<float> > m_vInputList;
        std::vector<std::vector<float> > m_vOutputList;
    public:
        void AddInput(const std::vector<float> &vIn);
    // ..

Python代码:
trainSet = TrainingSet()
trainSet.AddInput([0.5, 0.5, 0.5])

错误:
File "runSOMNet.py", line 9, in <module>
trainSet.AddInput([0.5, 0.5, 0.5])
File "/home/dgrat/annetgpgpu/build/ANNet/ANPyNetCPU.py", line 674, in AddInput
def AddInput(self, *args): return _ANPyNetCPU.TrainingSet_AddInput(self, *args)
NotImplementedError: Wrong number or type of arguments for overloaded function      'TrainingSet_AddInput'.
Possible C/C++ prototypes are:
ANN::TrainingSet::AddInput(std::vector< float,std::allocator< float > > const &)
ANN::TrainingSet::AddInput(float *,unsigned int const &)

最佳答案

如果要手动定义%typemap,则还需要一个%typemap(check),例如:

%typemap(typecheck) std::vector<float>& {
    $1 = PySequence_Check($input) ? 1 : 0;
}

我相信经验法则是,如果您定义%typemap(in),还应该定义一个%typemap(check) ---否则,生成的代码将永远无法到达放置%typemap(in)的位置。

10-04 12:32