如何在C ++中正确设置Lua局部变量

时间:2018-07-30 08:59:35

标签: c++ lua

我正在尝试用C ++编写以下Lua代码。

local test = require 'test'
test.num = 5
test.update()

我可以成功调用test.update(),但我不知道如何在C ++中正确完成test.num = 5

我的代码:

#include "lua.hpp"

int main()
{
    lua_State *L = luaL_newstate();
    luaL_openlibs(L);
    luaopen_my(L);
    lua_settop(L, 0);
    luaL_dostring(L, "package.preload['test'] = function ()\n"
                         "local test = {}\n"
                         "test.num = 3\n"
                         "function test.update() print(test.num) end\n"
                         "return test\n"
                     "end\n");
    /* require 'test' */
    lua_getglobal(L, "require");
    lua_pushstring(L, "test");
    if (lua_pcall(L, 1, LUA_MULTRET, 0))
    {
        std::cout << "Error : " << lua_tostring(L, -1) << '\n';
        lua_pop(L, 1);
    }
    /* test.num = 5 */
    lua_pushnumber(L, 5);
    lua_setfield(L, -1, "num"); //crashes here

    /* test.update() */
    lua_getfield(L, -1, "update");
    lua_pushnil(L);
    if (lua_pcall(L, 1, LUA_MULTRET, 0))
    {
        std::cout << "Error : " << lua_tostring(L, -1) << '\n';
        lua_pop(L, 1);
    }
    lua_close(L);
}

预期结果:

5

但是,我的代码在调用lua_setfield(L, -1, "num");时崩溃

如何更改代码以正确设置test.num的值?

1 个答案:

答案 0 :(得分:2)

lua_pushnumber(L, 5);
lua_setfield(L, -1, "num"); //crashes here

那里的-1代表您刚刚按下的数字5,而不是您认为它所引用的表。

相反,您可以使用lua_absindex或使用-2来获得表的固定索引。

int testTable = lua_absindex(-1);
lua_pushnumber(L, 5);
lua_setfield(L, testTable , "num"); //crashes here