2

我花了过去 6 个小时试图解决这个问题!我无法到达任何地方:s

我希望能够在 c++ 文件中创建一个 lua 表,然后将其传递给一个 lua 脚本文件,该文件具有以下 lua 函数:

function MTable (t) 
local n=#t
    for i=1,n do 
      print(t[i]) 
    end
end

我用两个字符串动态创建了一个一维数组:

 lua_newtable(L);
 lua_pushstring(L,"10.10.1.1");
 lua_pushstring(L,"10.10.1.2");
 lua_rawseti(L,-3,2);
 lua_rawseti(L,-2,1);

所以现在我在堆栈顶部有桌子。我已经通过写这个来验证它: if( lua_istable(L,lua_gettop(L)))` 它返回 1,这意味着它是一个表。

然后我这样做了:

lua_getglobal(L, "MTable");    // push the lua function onto the stack

uint32_t   result = lua_pcall(L, 1, 0, 0);  //argument 1 is for the table
 if (result) {
 printf(stderr, "Failed to run script: %s\n", lua_tostring(L, -1));
         exit(1);
}

所以我得到了那个错误: 无法运行脚本:尝试调用表值

请注意,该文件还有我从 C++ 成功调用的其他几个函数。

有人可以帮我解决这个错误吗?这可能是LUA的错误吗?cz 我非常正确地遵循了这些步骤......我猜!

4

1 回答 1

4

该函数必须位于堆栈的第一个,在 args 之前。

您可以:

  1. 在生成表之前将函数推送到堆栈上,例如:

    lua_getglobal(L, "MTable");
    ...generate table on stack...
    int result = lua_pcall(L, 1, 0, 0);
    
  2. 按照现在的顺序执行,然后在执行 pcall 之前交换 arg 和函数:

    ...generate table on stack...
    lua_getglobal(L, "MTable");
    lua_insert (L, -2);   // swap table and function into correct order for pcall
    int result = lua_pcall(L, 1, 0, 0);
    
于 2012-05-20T02:55:15.980 回答