0

在 Lua 代码中

Test = {}
function Test:new()
  local obj = {}
  setmetatable(obj, self)
  self.__index = self
  return obj
end
local a = Test:new()
a.ID = "abc123"
callCfunc(a)

在 C 代码中

int callCfunc(lua_State* l)
{
  SetLuaState(l);
  void* lua_obj = lua_topointer(l, 1);            //I hope get lua's a variable
  processObj(lua_obj);
  ...
  return 0;
}

int processObj(void *lua_obj)
{
  lua_State* l = GetLuaState();
  lua_pushlightuserdata(l, lua_obj);              //access lua table obj
  int top = lua_gettop(l);
  lua_getfield(l, top, "ID");                     //ERROR: attempt to index a userdata value
  std::string id = lua_tostring(l, -1);           //I hoe get the value "abc123"
  ...
  return 0;
}

我收到错误:尝试索引用户数据值
如何从 lua_topointer() 访问 lua 的对象?
在 C 中存储一个 lua 对象,然后从 C 中调用它。

4

2 回答 2

3

您不应该使用lua_topointer,因为您无法将其转换回 lua 对象,将您的对象存储在注册表中并传递它的注册表索引

int callCfunc(lua_State* L)
{
    lua_pushvalue(L, 1);//push arg #1 onto the stack
    int r = luaL_ref(L, LUA_REGISTRYINDEX);//stores reference to your object(and pops it from the stask)
    processObj(r);
    luaL_unref(L, LUA_REGISTRYINDEX, r); // removes object reference from the registry
    ...


int processObj(int lua_obj_ref)
{
    lua_State* L = GetLuaState();
    lua_rawgeti(L, LUA_REGISTRYINDEX, lua_obj_ref);//retrieves your object from registry (to the stack top)
    ...
于 2013-01-09T09:39:28.520 回答
1

您不想lua_topointer用于该任务。事实上,唯一合理的用途lua_topointer是用于调试目的(如日志记录)。

作为a一个,你需要使用lua_gettable它来访问它的一个字段,或者更简单的使用lua_getfield。当然,您不能为该任务传递void*指向processObj该任务的指针,但您可以使用堆栈索引。

于 2013-01-09T09:33:17.340 回答