Lua表构造器

如何创建一个默认的表格,然后在创建其他表格时使用它?

例子

-- 默认表格
Button = {
 x = 0,
 y = 0,
 w = 10,
 h = 10,
 Texture = "buttonimg.png",
 onClick = function() end
}

newbutton = Button {
 onClick = function()
  print("button 1 pressed")
 end
}

newbutton2 = Button {
 x = 12,
 onClick = function()
  print("button 2 pressed")
 end
}

newbutton 将得到设置为默认值的 y、w、h 和 texture,但括号中设置的任何内容都会被覆盖。

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

点赞
stackoverflow用户33252
stackoverflow用户33252

如果你将新表的元表的__index指向Button,它将使用Button表中的默认值。

--默认表
Button = {
 x = 0,
 y = 0,
 w = 10,
 h = 10,
 Texture = "buttonimg.png",
 onClick = function() end
}

function newButton () return setmetatable({},{__index=Button}) end

现在,当你用newButton()创建按钮时,它们将使用Button表中的默认值。

这种技术可用于类或原型面向对象编程。这里有很多例子。

2009-02-06 04:02:26
stackoverflow用户42136
stackoverflow用户42136

你可以通过将 Doug 的回答与你的原始场景合并实现你想要的效果,像这样:

Button = {
   x = 0,
   y = 0,
   w = 10,
   h = 10,
   Texture = "buttonimg.png",
   onClick = function() end
}
setmetatable(Button,
         { __call = function(self, init)
                       return setmetatable(init or {}, { __index = Button })
                    end })

newbutton = Button {
   onClick = function()
                print("button 1 pressed")
             end
}

newbutton2 = Button {
   x = 12,
   onClick = function()
                print("button 2 pressed")
             end
}

(我实际上测试过了,它可以工作。)

编辑:你可以这样使它变得更漂亮且可重用:

function prototype(class)
   return setmetatable(class,
             { __call = function(self, init)
                           return setmetatable(init or {},
                                               { __index = class })
                        end })
end

Button = prototype {
   x = 0,
   y = 0,
   w = 10,
   h = 10,
   Texture = "buttonimg.png",
   onClick = function() end
}

...
2009-02-06 12:17:22