我正在尝试使用Boost.Python将C ++类与私有构造函数绑定。
假设我有以下课程:
class Test
{
public:
static Test& GetInstance()
{
static Test globalInstance;
return globalInstance;
}
int content(){return 0;}
private:
Test(){std::cout << "Object constructed" << std::endl;}
};
这个类有一个私有构造函数,要获取类的实例,我们必须调用GetInstance()
方法。
我尝试使用以下代码绑定它:
BOOST_PYTHON_MODULE(test)
{
class_<Test>("Test", no_init)
.def("create", &Test::GetInstance)
.def("content", &Test::content);
}
此代码无法编译,并且给出了两个错误:
/Sources/Boost/boost/python/detail/invoke.hpp:75:12: error: type 'const boost::python::detail::specify_a_return_value_policy_to_wrap_functions_returning<Test &>' does not provide a call operator
/Sources/Boost/boost/python/detail/caller.hpp:102:98: error: no member named 'get_pytype' in 'boost::python::detail::specify_a_return_value_policy_to_wrap_functions_returning<Test &>'
但是,如果我创建一个调用GetInstance()
的函数,如下所示:
Test create()
{
return Test::GetInstance();
}
我在绑定中用.def("create", &Test::GetInstance)
替换.def("create", create)
,一切正常。
为什么我不能直接使用公共GetInstance()
方法?
答案 0 :(得分:1)
这里的问题实际上来自缺乏明确的退货政策。如果函数/方法没有按值返回,我们必须将其返回策略设置为以下之一:
reference_existing_object
copy_non_const_reference
copy_const_reference
manage_new_object
return_by_value
所以,简单地绑定GetInstance()
方法就像这样:
.def("create", &Test::GetInstance, return_value_policy<copy_non_const_reference>())
解决了这个问题。
希望它可以帮助某人,因为来自Boost的错误消息在这里帮助不多......