我正在研究lua脚本中断项目,我想使用std::Stack和lua协程来保存上下文。但是,当我将stacksize设置为38以上时,它在lua_resume和lua_close中随机崩溃。
test.lua:

local stacksize = 40 --When changing stacksize less than 30, it runs fine.
function heavy_function(i)
    print("heavy_function start",i)
    if i < stacksize then
        coroutine.yield(i+1)
    end
    print("heavy_function end",i)
end

main.cpp:
#ifdef __cplusplus
extern "C" {
#endif
#include "lua.h"
#include "lualib.h"
#include "lauxlib.h"

#ifdef __cplusplus
}
#endif

#include <iostream>
#include <unistd.h>
#include <ctime>
#include <stdio.h>
#include <string>
#include <stack>
using namespace std;

int main()
{
    lua_State* L = luaL_newstate();
    luaL_openlibs(L);

    int ret = luaL_dofile(L, "test.lua");
    if (ret != 0)
    {
        // Error loading script. Return.
        printf("luaL_dofile error \n");
        return -1;
    }

    // Add a count hook that will trigger after "count" number instructions
    //lua_sethook(L, LUAHook, LUA_MASKLINE, 0);

    stack<lua_State *> Lstack;
    Lstack.push(lua_newthread(L));
    int init = 1;
    do{
        lua_getglobal(Lstack.top(), "heavy_function");
        lua_pushinteger(Lstack.top(),init);
        ret = lua_resume(Lstack.top(),L,1);
        if(ret == LUA_YIELD)
        {
            init = luaL_checkinteger(Lstack.top(),-1);
            Lstack.push(lua_newthread(L));
        }
        else if(ret == 0)
        {
            //lua_close(Lstack.top());
            lua_gc(L,LUA_GCCOLLECT,0);
            cout<<"Memory Usage:"<<lua_gc(L,LUA_GCCOUNT,0)<<endl;
            Lstack.pop();
        }
        else{
            cout<<"error"<<endl;
            return -1;
        }
    }while(Lstack.size()>0);
    //printf("lua script interrupted \n");
    lua_close(L);
    return 0;
}

编译器选项:
g++ -g main.cpp -o test -llua -ldl

我怀疑我在调用lua_newthread时犯了一个错误,因此我在调用lua_newstate之前进行了堆栈检查,这变得正常了。
if(ret == LUA_YIELD)
{
    init = luaL_checkinteger(Lstack.top(),-1);
    Lstack.push(lua_newthread(L));
    cout<<"lua_checkstack(L,10) = "<<lua_checkstack(L,1)<<endl;//Add a line in line 47
}

想知道我是否在此方面犯了错误,如何解决?

最佳答案

通过不断生成新的Lua线程并将其Lua对象保留在堆栈中,您正在溢出Lua堆栈。
lua_newstack()不仅返回指向lua_State结构的指针,还以LUA_TTHREAD状态在堆栈上保留L类型的值。您应该相应地容纳Lua堆栈,或者以其他方式管理返回的Lua线程。

快速而肮脏的“修复”是在lua_checkstack(L, 10);行之前立即调用Lstack.push(lua_newthread(L));。它允许您的代码按原样运行,但是堆栈会不断增长。相反,您应该从堆栈中抓取新线程对象,并将其放在一些Lua表中,直到需要删除它为止。

关于c++ - 使用lua协程api和lua_close时出现段错误,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/52566189/

10-10 08:56