Lua 语法错误的描述性错误消息



我有一个Lua解释器,每当我在代码中犯语法错误时,返回的错误消息只是attempted to call a string value,而不是有意义的错误消息。例如,如果我运行此 lua 代码:

for a= 1,10
   print(a)
end

它不会返回有意义的'do' expected near 'print'和行号,而是返回错误attempted to call a string value

我的C++代码如下:

void LuaInterpreter::run(std::string script) {
    luaL_openlibs(m_mainState);
    // Adds all functions for calling in lua code
    addFunctions(m_mainState);
    // Loading the script string into lua
    luaL_loadstring(m_mainState, script.c_str());
    // Calls the script
    int error =lua_pcall(m_mainState, 0, 0, 0);
    if (error) {
        std::cout << lua_tostring(m_mainState, -1) << std::endl;
        lua_pop(m_mainState, 1);
    }
}

提前感谢!

您的问题是luaL_loadstring无法加载字符串,因为它不是有效的 Lua 代码。但是你从不费心检查它的返回值来找出这一点。因此,您最终会尝试执行它推送到堆栈上的编译错误,就好像它是一个有效的 Lua 函数一样。

使用此功能的正确方法如下:

auto error = luaL_loadstring(m_mainState, script.c_str());
if(error)
{
    std::cout << lua_tostring(m_mainState, -1) << std::endl;
    lua_pop(m_mainState, 1);
    return; //Perhaps throw or something to signal an error?
}

我能够通过替换来解决问题

luaL_loadstring(m_mainState, script.c_str());
// Calls the script
int error =lua_pcall(m_mainState, 0, 0, 0);

用代码

int error = luaL_dostring(m_mainState, script.c_str());

相关内容

最新更新