Lua的C接口如何访问表格的键/值对?

在 Lua 中,使用 C 接口,给定一个表,如何迭代遍历表的键值对?

此外,如果某些表成员使用数组添加,我是否需要一个单独的循环来遍历它们,还是有一种单独的方法可以同时迭代这些成员和键值对?

原文链接 https://stackoverflow.com/questions/966568

点赞
stackoverflow用户11649
stackoverflow用户11649

lua_next() 函数与 Lua 的 next() 函数相同,被 pairs() 函数使用,用于迭代数组部分和哈希部分中的所有成员。

如果要获取 ipairs() 的函数,lua_objlen() 给出与 # 相同的功能。使用它和 lua_rawgeti(),可以对数组部分进行数值迭代。

2009-06-08 20:01:06
stackoverflow用户68204
stackoverflow用户68204

正如Javier所说,你需要使用lua_next()函数。由于这个函数在一开始使用时可能有些棘手,因此我想提供一个代码示例来更清晰地展示。

引用手册中的内容:

一个典型的访问过程如下所示:

/* table is in the stack at index 't' */
lua_pushnil(L);  /* first key */
while (lua_next(L, t) != 0) {
   /* uses 'key' (at index -2) and 'value' (at index -1) */
   printf("%s - %s\n",
          lua_typename(L, lua_type(L, -2)),
          lua_typename(L, lua_type(L, -1)));
   /* removes 'value'; keeps 'key' for next iteration */
   lua_pop(L, 1);
}

请注意,lua_next()对堆栈上的键值非常敏感。除非键已经是字符串,否则不要对其调用lua_tolstring()函数,因为该函数将会_替换_它所转换的值。

2009-06-09 21:05:50