Python返回一个不可编译对象的列表

Boost.Python return a list of noncopyable objects

本文关键字:编译 对象 列表 一个 返回 Python      更新时间:2023-10-16

我有一个不可压缩的类型X,我想公开一个创建其中list的函数:

#include <boost/python.hpp>
namespace py = boost::python;
struct X {
    X(int i) : i(i) { }
    X(const X& ) = delete;
    X& operator=(X const&) = delete;
    int i;
    friend std::ostream& operator<<(std::ostream& os, X const& x) {
        return os << "X(" << x.i << ")";
    }
};
py::list get_xs(int n) {
    py::list xs;
    for (int i = 0; i < n; ++i) {
        xs.append(X{i});
    }
    return xs;
}
BOOST_PYTHON_MODULE(Foo)
{
    py::class_<X, boost::noncopyable>("X", py::init<int>())
        .def(str(py::self))
        .def(repr(py::self))
    ;
    py::def("get_xs", get_xs);
}

这编译得很好,但当我尝试使用它时,会给我带来可怕的后果:

>>> import Foo
>>> Foo.get_xs(10)
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: No to_python (by-value) converter found for C++ type: X

这个错误到底意味着什么?我该如何修复它?

noncopyable看起来是个问题。当X可复制时,一切都很好。

如果X必须是noncopyable,则可以使用boost::shared_ptr

py::list get_xs(int n) {
    py::list xs;
    for (int i = 0; i < n; ++i) {
        xs.append(boost::shared_ptr<X>(new X(i)));
    }
    return xs;
}
....
BOOST_PYTHON_MODULE(Foo)
{
    py::class_<X, boost::shared_ptr<X>, boost::noncopyable>("X", py::init<int>())
    ...
    ...
    py::register_ptr_to_python<boost::shared_ptr<X>>();
}