我想为Lua制作一些Vector3库,它可以让你用简单的语法进行简单的3D位置操作。我会提到我正在使用Luaj来运行Lua代码以进行Java操作。
这是我的开始代码:
Vector3 = {
new = function (x1, y1, z1)
return {x = x1, y = y1, z = z1}
end
}
Position1 = Vector3.new(1, 5, 8)
Position2 = Vector3.new(4, 7, 2)
这就是我希望能够实现的目标:
Subtraction = Position1 - Position2
print(Subtraction.x, Subtraction.y, Subtraction.z) -- prints "-3, -2, 6"
有关使EXACT代码正常工作的想法吗?
答案 0 :(得分:3)
你可以这样做:
Vector3 = {}
mt = {}
function Vector3:new(_x, _y, _z)
return setmetatable({
x = _x or 0,
y = _y or 0,
z = _z or 0
}, mt)
end
mt.__sub = function(v1, v2) return Vector3:new(v1.x - v2.x, v1.y - v2.y, v1.z - v2.z) end
mt.__tostring = function(v) return "Vector3=(" .. v.x .. "," .. v.y .. "," .. v.z .. ")" end
mt.__index = Vector3 -- redirect queries to the Vector3 table
-- test Vector3
Position1 = Vector3:new(1, 5, 8)
Position2 = Vector3:new(4, 7, 2)
Sub = Position1 - Position2
print(Sub)
会打印:
Vector3=(-3,-2,6)
更多关于Lua& OO,见:http://lua-users.org/wiki/ObjectOrientationTutorial
答案 1 :(得分:3)
这就是metatables和metamethods的用途。您应该阅读in the documentation。
基本上,它们允许您重新定义运算符(以及其他一些东西)对您的值所做的操作。您现在想要的是定义__sub
元方法,它定义了如何处理-
运算符。我想将来你也想重新定义其他元方法。
首先,在Vector3
“类”中定义一个减法函数,该函数需要两个向量:
function Vector3.subtract(u,v)
return Vector3.new(u.x - v.x, u.y - v.y, u.z - v.z)
end
然后创建让Vector3
知道它应该给所有向量的元表:
Vector3.mt = {__sub = Vector3.subtract}
当你创建一个新的向量时:
new = function (x1, y1, z1)
local vec = {x = x1, y = y1, z = z1}
setmetatable(vec, Vector3.mt)
return vec
end
您还可以在您的mt
函数中使metatable(new
)成为局部变量 - 这样可以防止外部代码弄乱metatable(因为它只能由{{1}访问功能)。但是,将其放在new
中可以检查Vector3
:
v - "string"