Boost-Python原始指针构造函数

时间:2010-06-23 09:12:24

标签: c++ python boost pointers

我正在尝试使用boost-python将C ++库暴露给python。该库实际上包含了一个底层的C api,因此使用了很多原始指针。

// implementation of function that creates a Request object
inline Request Service::createRequest(const char* operation) const
{
    blpapi_Request_t *request;
    ExceptionUtil::throwOnError(
            blpapi_Service_createRequest(d_handle, &request, operation)
        );
    return Request(request);
}

// request.h
class Request {
    blpapi_Request_t *d_handle;
    Element           d_elements;
    Request& operator=(const Request& rhs); // not implemented
public:
    explicit Request(blpapi_Request_t *handle); 
    Request(RequestRef ref);
    Request(Request &src);
};

// request.cpp
BOOST_PYTHON_MODULE(request)
{
    class_<blpapi_Request_t>;
    class_<Request, boost::noncopyable>("Request", init<blpapi_Request_t *>())
    .def(init<Request&>())
    ;
}

虽然request.cpp编译成功,但当我尝试使用该对象时,我收到以下错误:

// error output
TypeError: No to_python (by-value) converter found for C++ type: class Request

为了调用它,python代码如下所示:

from session import *
from service import *
from request import *

so = SessionOptions()
so.setServerHost('localhost')
so.setServerPort(8194)

session = Session(so)

# start sesssion
if not session.start():
    print 'Failed to start session'
    raise Exception

if not session.openService('//blp/refdata'):
    print 'Failed to open service //blp/refdata'
    raise Exception

service = session.getService('//blp/refdata')
request = service.createRequest('ReferenceDataRequest')

其他对象(SessionOptions,Session,Service)等也是我成功为其创建boost-python包装器的c ++对象。

据我从boost-python文档中了解到,这与传递原始指针有关,但我真的不明白我还应该做些什么......

1 个答案:

答案 0 :(得分:1)

你的class_<blpapi_Request_t>;没有声明任何内容;该代码是正确的版本吗?

如果是,请更新它:

class_<blpapi_Request_t>("blpapi_Request_t");

也就是说,该错误表明您正在尝试使用Request对象自动转换为尚未定义的python对象。

您收到此错误的原因是因为您将Request包装为boost :: noncopyable,然后提供了一个按值返回Request对象的工厂方法; boost :: noncopyable意味着没有生成复制构造函数,因此没有自动to-python转换器。

有两种方法:一种是删除不可复制的提示;另一种方法是注册一个转换器,它接受一个C ++请求并返回一个Python Request对象。你真的需要Request的不可复制的语义吗?