从Lua调用C++函数传递参数数量不足

所以函数是这样的:

send_success(lua_State *L){

    MailService *mls = static_cast<MailService *>(lua_touserdata(L, lua_upvalueindex(1)));
    Device *dev = static_cast<Device *>(lua_touserdata(L, lua_upvalueindex(2)));
    int numArgs = lua_gettop(L);
    TRACE << "传递的参数数量为 = " << numArgs;

   /* 在这里我会做一些操作以获取参数。
    我期望栈中有5个参数。
    在lua函数调用中传递了3个参数
    并且有2个参数通过闭合方式添加

   */
    string one_param = lua_tostring(L, 3, NULL)
    string two_param = lua_tostring(L, 4, NULL)
    string other_param = lua_tostring(L, 5, NULL)

}

现在把这个函数推入Lua栈中,我做了以下事情

lua_pushstring(theLua, "sendSuccess");
lua_pushlightuserdata(theLua, (void*) mls);
lua_pushlightuserdata(theLua, (void*) this);
lua_pushcclosure(theLua, lua_send_success,2);
lua_rawset(theLua, lua_device); // 这将获取Lua中的设备对象

从Lua调用它,我会这样做

obj:sendSuccess("one param","second param","third param")

但是当我检查参数数量时。它应该给出5个参数。但是只传递了4个参数。 我做了一些测试,看看我传递的两个对象是否正确。它们被正确传递了。

唯一遗漏的是,从Lua端传递的一个参数。

另外,我尝试仅推送一个对象,它可以正确地工作。所以我不确定我是否在某个地方搞乱了参数编号

请告诉我你们的想法

点赞
用户440558
用户440558

你在闭包中创建的用户数据对象不会作为函数的参数传递,它们会被存储在状态的另一个位置。

这意味着你使用 lua_tostring 获取参数时的偏移量是错误的。

2016-04-26 08:08:32
用户2321724
用户2321724

好的。问题是lua_pushclosure将userdata保存在lua_stack上的一个单独的空间中。在该堆栈中,偏移量1和2表示第一个和第二个对象。

lua_pushlightuserdata(theLua, (void *) mls);
lua_pushlightuserdata(theLua, (void *) this);
lua_pushcclosure(theLua, lua_send_success,2);

但在此之后,我要遍历到第三个,假设我已经访问了第二个位置。但是这是不正确的。正确的做法是考虑pushclosure只占用堆栈上的一个空间,无论lightuserdata被推送了多少次,其余的参数可以通过从第二个偏移量开始访问来访问..所以以下代码对我有效:

  string one_param = lua_tostring(L, 2, NULL)
  string two_param = lua_tostring(L, 3, NULL)
  string other_param = lua_tostring(L, 4, NULL)
2016-04-26 10:46:08