1

我通过 luabind 将我的应用程序的内部暴露给 Lua,在 C++ 中我有Container一个shared_ptr<Item>抽象Item基类。派生类包括ItemAItemB

为了将这些暴露给 luabind,我使用了几个包装类(因为我希望 Container 在脚本界面中具有不同的编辑机制)。我希望能够在 Lua 脚本中枚举容器中的项目,如下所示:

container=app.container
for i,event in ipairs(container.items) do 
  print(tostring(event))
end

我遇到的问题是我可以通过返回原始指针来公开此功能ItemWrappers,但这会导致内存泄漏,因为ItemWrapper从未调用析构函数。如果我尝试将 luabind 中的包装器声明为文档中描述的智能指针,那么当我尝试将智能指针作为 lua 对象返回时,这会引发“尝试使用未注册的类”异常。

包装器定义如下:

class ContainerWrapper {
public:
   ContainerWrapper(Container& c) : container(c) {};
   Container&  c;  // reference to the actual container
};

class ItemWrapper {
public:
  virtual ~ItemWrapper() {};
  ItemWrapper(int itemIndex_) : itemIndex(itemIndex_) {};
  int   itemIndex;  // items are addressed by index
};

class ItemAWrapper : public ItemWrapper {
public:
  ItemAWrapper(int itemIndex_) : ItemWrapper(itemIndex_) {};
};

luabind 注册看起来像这样:(如果我不使用智能指针)

class_<ItemWrapper>("Item") ,
class_<ItemAWrapper, ItemWrapper>("ItemA")

如果我这样做,就像这样:

class_<ItemWrapper, std::tr1::shared_ptr<ItemWrapper> >("Item") ,
class_<ItemAWrapper, ItemWrapper, std::tr1::shared_ptr<ItemWrapper> >("ItemA")

暴露items成员的函数Container返回一个 lua 表:

luabind::object Container::getItemsAsTable(lua_State* L)
{
  luabind::object table=luabind::newtable(L);
  for (int i=0; i<items.size(); i++) {
    table[i+1]= new ItemAWrapper(); // or function to return pointer/smart pointer
  }
  return table;
 }

这是在表中设置值的正确方法吗?如果我传递一个智能指针,它是生成异常的赋值,但是如果我传递一个原始指针,那么它似乎没有在内部将它分配给一个智能指针并且对象被泄露。进行垃圾收集也无济于事。

4

1 回答 1

1

Lua 已经是多态的了。所以你的getItemsAsTable函数不需要new这些ItemWrapper对象。只要坚持价值观。像这样:table[i+1] = ItemAWrapper()。除非有什么事情需要使用指针(比如更改 Lua 表应该反映在 C++ 中),否则不要打扰。只需使用一个值。

于 2013-03-20T14:28:59.767 回答