从metatable字段/方法访问数组索引

时间:2014-06-16 17:06:25

标签: c++ lua

我有一些反映一些C ++类/结构的元表。我通常依赖__index来调用对象的任何字段/方法,并在一个函数中解析它们。

我遇到的困难是当我想将参数传递给字段时,如下所示:

anim = playerInfo.animations
while anim do

  print (anim)

  numstates = anim.numstates
  for i = 1, numstates do

    state = anim.states(i)  <--- This line right here is the issue
    print(state)

  end

  anim = anim.next

end

以下是相关的C代码:

static const struct luaL_Reg objanimationlib_m[] = {
    {"__tostring", objanimation2string},
    {"__index", objanimationget},
    {"__newindex", objanimationset},
    {NULL, NULL}
};

    luaL_newmetatable(L, "objanimation");
    lua_pushvalue(L, -1); // duplicates the metatable
    luaL_setfuncs(L, objanimationlib_m, 0);

__index函数内部:

else if (!strcmp(field, "states"))
{
    int number = (int)luaL_checknumber(L, 3) - 1; // -1 cuz Lua is not 0-based
    if (number >= anim->numstates)
        return 0;

    PushUserdata(&anim->states[number], "objstate");
}

运行脚本,我收到错误:

Warning: [string "test.lua"]:13: bad argument #3 to '__index' (number expected, got no value)

我觉得我错过了一些简单的东西。它是什么?

编辑:这是我的解决方案,在__index函数中:

else if (!strcmp(field, "states"))
{
    lua_newtable(L);

    int i;
    for (i = 0; i < anim->numstates; i++)
    {
          PushUserdata(&anim->states[i], "objstate");
          lua_rawseti(L, -2, i+1);
    }
}

这将返回一个包含userdata元素的表。可能很贵,所以这也会提高性能:

anim = playerInfo.animations
while anim do

  print (anim)

  numstates = anim.numstates
  states = anim.states
  for i = 1, numstates do

    print(states[i])

  end

  anim = anim.next

end

1 个答案:

答案 0 :(得分:3)

state = anim.states(i)

相当于

do local f=anim.states; state=f(i) end

所以你的metamethod永远不会看到i

换句话说,索引元方法接收两个参数,即表和键。它返回的内容不一定受任何元方法的影响,除非你明确地这样做。

我会定义__len返回numstates__call来处理anim.states(i),以便您可以编写代码

  for i = 1, #anim do
    state = anim(i)
    print(state)
  end