Lua附带免费的在线reference manual版本5.2(我正在使用),Programming in Lua版本5.0也可用。
然而,这些版本之间有一些变化,我似乎无法超越。这些更改在5.2和5.1的参考手册的后续版本中进行了说明。请注意luaL_openlib()
的连续弃用支持luaL_register()
,然后luaL_register()
支持luaL_setfuncs()
。
网络搜索结果不一,其中大多数都指向luaL_register()
。
我尝试实现的目标可以通过以下迷你程序进行总结,该程序可以编译并链接,例如gcc ./main.c -llua -ldl -lm -o lua_test
#include <lua.h>
#include <lauxlib.h>
#include <lualib.h>
#include <stdio.h>
#include <string.h>
static int test_fun_1( lua_State * L )
{
printf( "t1 function fired\n" );
return 0;
}
int main ( void )
{
char buff[256];
lua_State * L;
int error;
printf( "Test starts.\n\n" );
L = luaL_newstate();
luaL_openlibs( L );
lua_register( L, "t1", test_fun_1 );
while ( fgets( buff, sizeof(buff), stdin ) != NULL)
{
if ( strcmp( buff, "q\n" ) == 0 )
{
break;
}
error = luaL_loadbuffer( L, buff, strlen(buff), "line" ) ||
lua_pcall( L, 0, 0, 0 );
if (error)
{
printf( "Test error: %s\n", lua_tostring( L, -1 ) );
lua_pop( L, 1 );
}
}
lua_close( L );
printf( "\n\nTest ended.\n" );
return 0;
}
这可以按预期工作,输入t1()
会产生预期的结果。
我现在想创建一个Lua可见的库/包。 Programming in Lua to use 建议我们{{3}}一个数组和一个加载函数:
static int test_fun_2( lua_State * L )
{
printf( "t2 function fired\n" );
return 0;
}
static const struct luaL_Reg tlib_funcs [] =
{
{ "t2", test_fun_2 },
{ NULL, NULL } /* sentinel */
};
int luaopen_tlib ( lua_State * L )
{
luaL_openlib(L, "tlib", tlib_funcs, 0);
return 1;
}
然后在luaopen_tlib()
之后使用luaL_openlibs()
。如果我们定义tlib:t2()
(在兼容模式下工作),这样做可以让我们使用LUA_COMPAT_MODULE
。
在Lua 5.2中这样做的正确方法是什么?
答案 0 :(得分:8)
luaopen_tlib
函数应该这样写:
int luaopen_tlib ( lua_State * L )
{
luaL_newlib(L, tlib_funcs);
return 1;
}
在main
函数中,您应该加载模块:
int main ( void )
{
// ...
luaL_requiref(L, "tlib", luaopen_tlib, 1);
// ...
}
或者,您可以在{"tlib", luaopen_tlib}
的{{1}}表格中添加条目loadedlibs
。