1

我在 C 中有一个元素数组(动态),我将作为指针返回。

使用指针我需要读取这些数组元素的值。

是否有任何函数可以从 C 中访问指针并在 Lua 中检索值?

4

2 回答 2

5

您可以将此指针包装到用户数据中并写入访问器方法(复杂性:高)。更简单的解决方案是将该数组转换为常规 Lua 表。

size_t arr_size = 10;
int arr[10] = { 0 };

lua_getglobal(L, "testfunc");

lua_createtable(L, arr_size, 0);
for (size_t i = 0; i < arr_size; i++) {
    lua_pushinteger(L, arr[i]);
    lua_rawseti(L, -2, i+1);
}
// the table is at top of stack

lua_call(L, 1, 0); // call testfunc(t)
于 2013-05-10T10:34:31.980 回答
3

Lua 没有 C 中已知的数组概念。

将 C 指针返回到 Lua 通常以不透明userdata对象的形式完成,然后可以将其传递给其他公开的函数以检索具体数据:

local array = your_function_returning_a_pointer();
assert(type(array) == "userdata");

local index = 1;
local obj = get_object_from_array(array, index);

或者,向 Lua 公开一个返回对象表的函数:

local objects = your_function_now_returning_a_table();
assert(type(objects) == "table");

local index = 1;
local obj = objects[1];
于 2013-05-10T10:35:18.983 回答