我正在创建一个将从 Lua 调用的 C/C++ 函数。我的函数必须调用签名如下的库函数:
void libFunction( int val1, int val2, tSETTINGS * pSettings );
我得到了这些 C/C++ 结构:
typedef struct
{
int cmd;
int arg;
} tCOMMAND;
typedef struct
{
int numberCommands;
int id;
tCOMMAND commands[1];
} tSETTINGS;
也许我对此的想法是错误的,但是从Lua我这样称呼:
id = 42
val1 = 1
val2 = 2
cmd1 = { 3, 4 }
cmd2 = { 5, 6 }
commands = { cmd1, cmd2 }
settings = { #commands, id, commands }
mycfunction( val1, val2, settings )
我确信我仍然不理解从 C++ 引用的 Lua 堆栈,因为我正在尝试的只是不起作用。我的解决方案能够检索val1
、和val2
,但是当我尝试检索时,我分别得到了和。#commands
id
commands[0]
commands[1]
{1, 2}
{2, 42}
我的 C++ 本质上是这样的(对于这个示例,我丢弃了这些值)。我已经检索val1
到并且val2
:
int stkNdx = 1;
lua_rawgeti(L, 3, stkNdx++ );
int numcmds = lua_tointeger(L, -1); // this successfully retrieves numberCommands 2
lua_pop(L, 1);
lua_rawgeti(L, 3, stkNdx++ );
int id = lua_tointeger(L, -1); // this successfully retrieves id 42
lua_pop(L, 1);
lua_pushvalue(L, -1 );
lua_pushnil(L);
int cmdNbr = 0;
for( lua_next(L, -2); cmdNbr < numcmds; cmdNbr++ )
{
lua_pushvalue(L, -2);
int cmd = lua_tointeger(L, -1);
int arg = lua_tointeger(L, -1);
lua_pop(L, 2);
lua_next(L, -2);
}
lua_pop(L, 1);
lua_rawgeti()
我已经尝试了lua_tonumber()
和的各种排列,lua_pop()
结果基本相同。
这似乎类似于这个问题,我的解决方案是在此之后建模的,但没有成功。
尝试更多我插入了这个:
lua_pushnil(L);
while( lua_next(L, -2) )
{
if( ! lua_istable(L, -1) )
{
int v = lua_tointeger(L, -1);
}
lua_pop(L, 1);
}
此循环执行 4 次。前 2 次将值 2 和 42 分配给v
。接下来的 2 次迭代跳过赋值(lua_istable 返回 true)。所以看起来虽然我已经检索了numcmds
and id
,但它们仍然在堆栈中。我也很明显不明白如何在遇到子表时对其进行迭代。