我开始把我的手放在lua中,到目前为止已经有了非常令人沮丧的经历。 我需要加载部分笔灯,以加载需要pl.import_into的“mine.lua”。我需要从C / C ++中做到这一点。
我正在使用lua 5.1;使用5.2不是一个选项atm所以我没有luaL_requiref
我的代码大致如下:
void luaLoad(lua_State* L, const char* f) {
if (luaL_dofile(L, f) || lua_pcall(L, 0, 0, 0)) {
const char* err = lua_tostring(L, -1);
lua_pop(L, -1);
throw std::runtime_error("Lua load error");
}
}
int main(void) {
lua_State *L = luaL_newstate();
luaL_openlibs(L);
luaLoad(L, "~/Penlight-1.3.1/lua/pl/compat.lua");
luaLoad(L, "~/Penlight-1.3.1/lua/pl/utils.lua");
luaLoad(L, "~/Penlight-1.3.1/lua/pl/import_into.lua");
luaLoad(L, "mine.lua");
...
}
我开始尝试加载import_into.lua,这需要utils.lua和transitively compat.lua。
在我的luaLoad方法中,如果我删除lua_pcall,utils.lua“看不到”compat.lua:
utils.lua : module 'pl.compat' not found`
然后使用lua_pcall我得到了
attempt to call a table value` error.
试图从C加载penlight基本错误吗?
答案 0 :(得分:2)
首先:lua_pcall
是多余的。 luaL_dofile
已经lua_pcall
了。 lua_pop
电话也是错误的。
第二:你为什么不修改package.path
的任何理由,以便Lua的require
函数可以找到必要的模块?
如果您不能或不想这样做,有两种方法:
除了运行模块代码之外,还需要使用模块名称作为密钥将其结果存储在package.loaded
表中。这样,penlight代码中调用的require
函数可以在以后找到这些模块。
void luaLoad(lua_State* L, char const* m, const char* f) {
int top = lua_gettop(L);
if (luaL_dofile(L, f)) {
const char* err = lua_tostring(L, -1);
lua_pop(L, 1); /* the 2nd parameter is a number not a stack index! */
throw std::runtime_error("Lua load error");
} else {
lua_settop(L, top+1); /* discard anything but first return value */
lua_getfield(L, LUA_REGISTRYINDEX, "_LOADED"); /* get `package.loaded` */
lua_pushvalue(L, -2); /* `lua_setfield` needs the return value at stack top */
lua_setfield(L, -2, m); /* store return value as `package.loaded[m]` */
lus_settop(L, top); /* restore Lua stack */
}
}
优点是您可以使用相同的功能来运行mine.lua
。缺点是你必须以正确的顺序加载模块,如果其中一个模块使用module
函数,代码会变得复杂一些(基本上你重新实现Lua的部分require
功能)。
第二种方法是加载但不运行模块,并使用模块名称作为密钥将加载的代码(这是一个Lua函数)放在package.preload
表中。 require
函数可以在以后接收它们并从那里运行它们。
void luaPreload(lua_State* L, char const* m, char const* f) {
if (luaL_loadfile(L, f)) {
char const* err = lua_tostring(L, -1);
lua_pop(L, 1);
throw std:runtime_error("Lua load error");
} else {
lua_getglobal(L, "package"); /* there is no shorthand for `package.preload` */
lua_getfield(L, -1, "preload");
lua_pushvalue(L, -3); /* `lua_setfield` needs the function at stack top */
lua_setfield(L, -2, m); /* store chunk as `package.preload[m]` */
lua_pop(L, 3); /* restore Lua stack */
}
}
优点是require会自动以正确的顺序运行模块,module
函数不需要特殊处理。缺点是您需要单独的代码才能运行mine.lua
。
所有这些方法都假设mine.lua
使用Lua的require
函数来访问penlight模块。