在 FFI 结构体中对数组进行索引
2016-7-22 5:56:4
收藏:0
阅读:88
评论:1
我正在尝试创建一个动态检测 Lua 或 LuaJIT 的模块,并创建一个 table 或 cstruct。由于无法向 carrays 添加元表,所以我在我的 struct 中使用了一个名为 _m 的数组。
下面是相关代码的片段,我将在下面链接到 Git 仓库。
local mat4 = {}
local mat4_mt = {}
-- 私有构造函数。
local function new(m)
m = m or {
0, 0, 0, 0,
0, 0, 0, 0,
0, 0, 0, 0,
0, 0, 0, 0
}
m._m = m
return setmetatable(m, mat4_mt)
end
-- 检查是否启用了 JIT,如果是,则使用优化的 FFI 结构体。
local status, ffi
if type(jit) == "table" and jit.status() then
status, ffi = pcall(require, "ffi")
if status then
ffi.cdef "typedef struct { double _m[16]; } cpml_mat4;"
new = ffi.typeof("cpml_mat4")
end
end
function mat4.transpose(out, a)
out[1] = a[1]
out[2] = a[5]
out[3] = a[9]
out[4] = a[13]
out[5] = a[2]
out[6] = a[6]
out[7] = a[10]
out[8] = a[14]
out[9] = a[3]
out[10] = a[7]
out[11] = a[11]
out[12] = a[15]
out[13] = a[4]
out[14] = a[8]
out[15] = a[12]
out[16] = a[16]
return out
end
mat4_mt.__index = function(t, k)
if type(t) == "cdata" then
if type(k) == "number" then
return t._m[k-1]
end
elseif type(k) == "number" then
return t._m[k]
end
return rawget(mat4, k)
end
function mat4_mt.__call(_, a)
return new(a)
end
if status then
ffi.metatype(new, mat4_mt)
end
return setmetatable({}, mat4_mt)
问题在于,当我尝试调用 transpose 时,会出现以下错误:
'struct 173' cannot be indexed with 'number'
如果您查看 mat4_mt.__index,您会发现我正在尝试检测我正在使用的类型,是 table 还是 cdata,并在结构体中对数组进行索引。
local mat4 = require "mat4"
local a = mat4()
local b = mat4():transpose(a) -- Error!
想法是,当您尝试访问 a[4] 时,应该在幕后访问 a._m[3],但显然没有发生这种情况,我不知道为什么。
想法?
https://github.com/excessive/cpml/blob/refactor/modules/mat4.lua
点赞
评论区的留言会收到邮件通知哦~
推荐文章
- 如何将两个不同的lua文件合成一个 东西有点长 大佬请耐心看完 我是小白研究几天了都没搞定
- 如何在roblox studio中1:1导入真实世界的地形?
- 求解,lua_resume的第二次调用继续执行协程问题。
- 【上海普陀区】内向猫网络招募【Skynet游戏框架Lua后端程序员】
- SF爱好求教:如何用lua实现游戏内调用数据库函数实现账号密码注册?
- Lua实现网站后台开发
- LUA错误显式返回,社区常见的规约是怎么样的
- lua5.3下载库失败
- 请问如何实现文本框内容和某个网页搜索框内容连接,并把网页输出来的结果反馈到另外一个文本框上
- lua lanes多线程使用
- 一个kv数据库
- openresty 有没有比较轻量的 docker 镜像
- 想问一下,有大佬用过luacurl吗
- 在Lua执行过程中使用Load函数出现问题
- 为什么 neovim 里没有显示一些特殊字符?
- Lua比较两个表的值(不考虑键的顺序)
- 有个lua简单的项目,外包,有意者加微信 liuheng600456详谈,最好在成都
- 如何在 Visual Studio 2022 中运行 Lua 代码?
- addEventListener 返回 nil Lua
- Lua中获取用户配置主目录的跨平台方法
它可以工作,但你缺少一个
__newindex元表项,导致out [index] = value失败,因为它仍然试图引用结构,而不是它所包含的字段。添加这个可以解决这个问题:mat4_mt.__newindex = function(t, k, v) if type(t) == "cdata" then if type(k) == "number" then t._m[k-1] = v end elseif type(k) == "number" then t._m[k] = v else rawset(t, k, v) end end