转换为std :: vector时通过引用传递

时间:2012-01-21 00:37:02

标签: c++ boost-python

这是一个后续问题 std::vector to boost::python::list

我尝试了提供的示例:

// C++ code
typedef std::vector<std::string> MyList;
class MyClass {
   MyList myFuncGet();
   void myFuncSet(MyList& list)
   {
      list.push_back("Hello");
   }
};

// My Wrapper code
#include <boost/python/suite/indexing/vector_indexing_suite.hpp>

using namespace boost::python;

BOOST_PYTHON_MODULE(mymodule)
{
    class_<MyList>("MyList")
        .def(vector_indexing_suite<MyList>() );

    class_<myClass>("MyClass")
        .def("myFuncGet", &MyClass::myFuncGet)
        .def("myFuncSet", &MyClass::myFuncSet)
        ;
}

但是当我尝试在Python中实际使用它时,我得到一个错误(见下)。

Python 2.7.2 (default, Jun 12 2011, 14:24:46) [MSC v.1500 64 bit (AMD64)] on win32
Type "help", "copyright", "credits" or "license" for more information.
>>> from mymoduleimport *
>>> mc = MyClass()
>>> p = []
>>> mc.myFuncSet(p)
Traceback (most recent call last):
   File "<stdin>", line 1, in <module>
Boost.Python.ArgumentError: Python argument types in
    MyClass.myFuncSet(MyClass, list)
did not match C++ signature:
myFuncSet(MyClass {lvalue}, std::vector<std::string, std::allocator<std::string> > {lvalue})

通过阅读其他各种网站,我能够收集到的信息。帖子,需要转换器。有人可以通过添加必要的转换器代码来完成我的示例吗?我自己做的,但是我不熟悉提升,知道这样的转换器是什么样的。

提前致谢!

1 个答案:

答案 0 :(得分:3)

我相信你只能在通过value或const引用传递参数时使用转换器。通过nonconst引用要求直接暴露类型。这意味着如果要将列表从python传递到c ++而不复制列表项,则需要更改代码以使用boost::python::list而不是MyList,这将是像(未经测试的)

void myFuncSet(boost::python::list& list)
{
   list.append("Hello");
}

向量索引套件将类似行为的python列表添加到MyList绑定中,它不允许您在其位置传递python列表。

您在示例中遇到的错误是因为您尝试将python列表传递给采用std::vector<int>的函数。我怀疑这会起作用

p = mc.myFuncGet()
mc.myFuncSet(p)

这是关于编写转换器的非常有用的文章。 http://misspent.wordpress.com/2009/09/27/how-to-write-boost-python-converters/