我一直在尝试创建一个将 C++ API 暴露给 Lua 代码的“主机”应用程序,并且到目前为止已经相当成功,但是在尝试将“变量”与方法绑定时遇到了障碍。
我开发的将“类”绑定到 lua 的模式涉及每个类都有一个_new
和_gc
函数,以及luaL_Reg RegData[]
每个类的静态。然后我可以将所需的函数分配到 RegData 数组中,并调用辅助方法将它们绑定到 lua。以下是一些说明我的方法的代码:
int Host::_new(lua_State * ls)
{
Host ** udata = (Host **)lua_newuserdata(ls, sizeof(Host *);
*udata = new Host();
luaL_getmetatable(ls, "luaL_Host);
lua_setmetatable(ls, -2);
return 1;
}
int Host::_gc(lua_State * ls)
{
Host * host = *(Host **)luaL_checkudata(ls, 1, "luaL_Host");
delete host;
return 0;
}
const luaL_Reg Host::RegistrationData[] =
{
{ "new" , Host::_new },
{ "__gc" , Host::_gc },
{ 0 , 0 }
};
在其他地方:
void LuaState::registerObject(const char * name, const luaL_Reg data[])
{
int len = strlen(name) + 6;
char * luaLname = new char[len];
snprintf(luaLname, len, "luaL_%s", name);
// create the metatable with the proper functions
luaL_newmetatable(_state, luaLname);
luaL_setfuncs(_state, data, 0);
// copy the metatable on the stack
lua_pushvalue(_state, -1);
// assign the index to the copy
lua_setfield(_state, -1, "__index");
// expose the table as the global "Host"
lua_setglobal(_state, name);
delete luaLname;
}
假设我希望我的 Lua 代码也能够查看键盘状态,并且希望 Lua 代码访问它看起来像:
host = Host.new()
pressed = host.Keyboard.getKeyPressed(1)
将完全相同的模式复制到 Keyboard 类以设置键盘表变得很容易,但我似乎无法想出一个将键盘表添加到我的主机表的好方法。有没有一种简单的方法可以做到这一点而不会弄乱我的模式?我应该使用更好的模式吗?
我已经找到了大量关于如何创建 C-Lua API 的各个不同方面的资源,但在这样做时使用的模式/最佳实践方面并没有真正找到太多。另外,我知道有一些库,例如 LuaBind,可以帮助解决这个问题,但我更喜欢自己制作(至少是第一次)。