我正在使用 Boost.Python 从 C++ 类创建 Python 模块。我遇到了引用问题。
考虑以下情况,其中我有一个类 Foo 具有重载的 get 方法,可以按值或引用返回。
一旦我定义了一个签名,就很容易指定应该使用按值返回。但我认为应该可以通过使用 return_value_policy
. 但是,使用似乎合适的(doc);return_value_policy<reference_existing_object>
似乎没有工作。
我误解了它的作用吗?
struct Foo {
Foo(float x) { _x = x; }
float& get() { return _x; }
float get() const { return _x; }
private:
float _x;
};
// Wrapper code
BOOST_PYTHON_MODULE(my_module)
{
using namespace boost::python;
typedef float (Foo::*get_by_value)() const;
typedef float& (Foo::*get_by_ref)();
class_<Foo>("Foo", init<float>())
.def("get", get_by_value(&Foo::get))
.def("get_ref", get_by_ref(&Foo::get),
return_value_policy<reference_existing_object>())//Doesn't work
;
}
注意:我知道在没有生命周期管理的情况下引用现有对象可能很危险。
更新:
看起来它适用于对象,但不适用于基本数据类型。
以这个修改后的例子为例:
struct Foo {
Foo(float x) { _x = x; }
float& get() { return _x; }
float get() const { return _x; }
void set( float f ){ _x = f;}
Foo& self(){return *this;}
private:
float _x;
};
// Wrapper code
using namespace boost::python;
BOOST_PYTHON_MODULE(my_module)
{
typedef float (Foo::*get_by_value)() const;
class_<Foo>("Foo", init<float>())
.def("get", get_by_value(&Foo::get))
.def("get_self", &Foo::self,
return_value_policy<reference_existing_object>())
.def("set", &Foo::set);
;
}
在测试中给出了预期的结果:
>>> foo1 = Foo(123)
>>> foo1.get()
123.0
>>> foo2 = foo1.get_self()
>>> foo2.set(1)
>>> foo1.get()
1.0
>>> id(foo1) == id(foo2)
False