使表可呼叫
有一種名為 __call 的元方法,它定義了用作函式時物件的 bevahiour,例如 object()。這可以用來建立函式物件:
-- create the metatable with a __call metamethod
local meta = {
    __call = function(self)
        self.i = self.i + 1
    end,
    -- to view the results
    __tostring = function(self)
        return tostring(self.i)
    end
}
function new_counter(start)
    local self = { i = start }
    setmetatable(self, meta)
    return self
end
-- create a counter
local c = new_counter(1)
print(c) --> 1
-- call -> count up
c()
print(c) --> 2
使用相應的物件呼叫 metamethod,之後將所有剩餘的引數傳遞給函式:
local meta = {
    __call = function(self, ...)
        print(self.prepend, ...)
    end
}
local self = { prepend = "printer:" }
setmetatable(self, meta)
self("foo", "bar", "baz")