5

我想以正确的方式去做。我已经看到在这里公开 boost::serialization::singleton Boost python export singleton但我不想使用它。我想改用简单的 meyers 单例。

下面的代码有效,但文档说使用 http://www.boost.org/doc/libs/1_43_0/libs/python/doc/v2/reference_existing_object.html#reference_existing_object-spec/ 是危险的。

代码:

class Singleton 
{
private:
Singleton(){};

public:
static Singleton & getInstance()
{
    static Singleton instance;
    return instance;
}

int getNumber() { return 5; }
};

在模块中:

class_<Singleton>("singleton", no_init)
    .def("getInstance", &Singleton::getInstance, return_value_policy<reference_existing_object>()).staticmethod("getInstance")
    .def("getNumber", &Singleton::getNumber)

    ;

有什么好方法吗?在执行 python 代码时使用return_internal_reference<>()导​​致错误。

4

1 回答 1

4

我们的代码中有很多这样的东西,我没有想到一个简单的方法,但是我们通过使用空删除器从引用返回 boost::shared_ptr<> 来公开它们(我们以某种方式将部分代码移动到 shared_ptr 和其他人没有,所以这是一个混合物)。这不是最好的事情,但它可以按预期工作并且没有缺陷,如果您确保在 main 离开后不对指针做任何事情。

您的对象的生命周期将超过解释器,因此您不必担心在此处将任何引用传回 python 时出现任何问题。该库仅在解释器退出后才会释放(可能会调用或不调用您的析构函数,有时可能会有一个整体以防出错左右。)。因此,在这种情况下,您可以将解释器视为经典的 main() 函数。

class_<XY, shared_ptr<XY>, boost::noncopyable >("XY",no_init)
  .def("getInstance",&XY::getSharedInstance )
  .staticmethod("getInstance")

struct NullDeleter
{
  void operator()(const void*){}
};

XY& XY::getInstance()
{
  static XY in;
  return in;
}

// This can also be written as a standalone function and added to the python class above.
shared_ptr<XY> XY::getSharedInstance()
{
  return shared_ptr<XY>( &getInstance(), NullDeleter() );
}

或者您可以将 sharedInstance 非侵入式写入单独的函数并在 python 包中使用它:

shared_ptr<XY> getSharedInstance()
{
  return shared_ptr<XY>( &XY::getInstance(), NullDeleter() );
}

class_<XY, shared_ptr<XY>, boost::noncopyable >("XY",no_init)
  .def("getInstance",&getSharedInstance )
  .staticmethod("getInstance")
于 2012-09-07T13:50:14.740 回答