6

在 Lua 中,我有一个名为的函数utils.debug(),我想做的是在我的 Lua 代码中使用它,如下所示:

function Foo:doSomething
    if (/* something */) then
        print("Success!")
    else
        utils.debug()
    end
end

function Foo:doSomethingElse
    if (/* something else */) then
        print("Awesome!")
    else
        utils.debug()
    end
end

我想在我的 Lua 代码中使用它来帮助我调试。因此,我希望我的 C++ 代码知道 Lua 代码中的哪个位置utils.debug()被调用。我调查了一下lua_Debuglua_getinfo它们看起来非常接近我想要的,但我错过了一块:

int MyLua::debug(lua_State* L)
{
    lua_Debug ar;
    lua_getstack(L, 1, &ar);
    lua_getinfo(L, ??????, &ar);

    // print out relevant info from 'ar' 
    // such as in what function it was called, line number, etc
}

这是 lua_Debug 结构的用途还是我应该使用其他工具或方法来做到这一点?

4

1 回答 1

8

这是我用来生成 Lua 堆栈跟踪的方法:

lua_Debug info;
int level = 0;
while (lua_getstack(l, level, &info)) {
    lua_getinfo(l, "nSl", &info);
    fprintf(stderr, "  [%d] %s:%d -- %s [%s]\n",
        level, info.short_src, info.currentline,
        (info.name ? info.name : "<unknown>"), info.what);
    ++level;
}

有关更多信息,请参阅文档。lua_getinfo

于 2013-02-11T00:00:19.143 回答