最后,我可以使用[]运算符在python中使用std :: vector。诀窍是简单地在boost C ++包装器中提供一个处理内部向量内容的容器:
#include <boost/python.hpp>
#include <vector>
class world
{
std::vector<double> myvec;
void add(double n)
{
this->myvec.push_back(n);
}
std::vector<double> show()
{
return this->myvec;
}
};
BOOST_PYTHON_MODULE(hello)
{
class_<std::vector<double> >("double_vector")
.def(vector_indexing_suite<std::vector<double> >())
;
class_<World>("World")
.def("show", &World::show)
.def("add", &World::add)
;
}
另一个挑战是:如何将python列表转换为std :: vectors?我试图添加一个期望std :: vector作为参数的c ++类,并添加了相应的包装器代码:
#include <boost/python.hpp>
#include <vector>
class world
{
std::vector<double> myvec;
void add(double n)
{
this->myvec.push_back(n);
}
void massadd(std::vector<double> ns)
{
// Append ns to this->myvec
}
std::vector<double> show()
{
return this->myvec;
}
};
BOOST_PYTHON_MODULE(hello)
{
class_<std::vector<double> >("double_vector")
.def(vector_indexing_suite<std::vector<double> >())
;
class_<World>("World")
.def("show", &World::show)
.def("add", &World::add)
.def("massadd", &World::massadd)
;
}
但是如果这样做,我最终得到以下Boost.Python.ArgumentError:
>>> w.massadd([2.0,3.0])
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
Boost.Python.ArgumentError: Python argument types in
World.massadd(World, list)
did not match C++ signature:
massadd(World {lvalue}, std::vector<double, std::allocator<double> >)
有人能告诉我如何在我的c ++函数中访问python列表吗?
谢谢, 丹尼尔
答案 0 :(得分:27)
要使您的C ++方法接受Python列表,您应该使用boost::python::list
void massadd(boost::python::list& ns)
{
for (int i = 0; i < len(ns); ++i)
{
add(boost::python::extract<double>(ns[i]));
}
}
答案 1 :(得分:22)
以下是我使用的内容:
#include <boost/python/stl_iterator.hpp>
namespace py = boost::python;
template< typename T >
inline
std::vector< T > to_std_vector( const py::object& iterable )
{
return std::vector< T >( py::stl_input_iterator< T >( iterable ),
py::stl_input_iterator< T >( ) );
}
如果您发现输入类型(py :: object)过于宽松,请随意指定更严格的类型(在您的情况下为py :: list)。
答案 2 :(得分:3)
基于上面的答案,我创建了一个用C ++访问python列表以及从C ++函数返回python列表的例子:
#include <boost/python.hpp>
#include <string>
namespace py = boost::python;
// dummy class
class drow{
public:
std::string word;
drow(py::list words);
py::list get_chars();
};
// example of passing python list as argument (to constructor)
drow::drow(py::list l){
std::string w;
std::string token;
for (int i = 0; i < len(l) ; i++){
token = py::extract<std::string>(l[i]);
w += token;
}
this -> word = w;
}
// example of returning a python list
py::list drow::get_chars(){
py::list char_vec;
for (auto c : word){
char_vec.append(c);
}
return char_vec;
}
// binding with python
BOOST_PYTHON_MODULE(drow){
py::class_<drow>("drow", py::init<py::list>())
.def("get_chars", &drow::get_chars);
}
对于构建示例和测试python脚本,请查看here
谢谢Arlaharen&amp; rdesgroppes指针(双关语无意)。
答案 3 :(得分:1)
要从python列表中自动转换,您必须定义一个转换器,
我现在找不到除我的代码以外的任何内容,您可以复制并粘贴this template(它专门针对各种包含类型的文件末尾)。