访问Lua中表键操作的值(右侧)中的键

时间:2016-11-17 11:15:03

标签: lua key-value lua-table self-reference

目标是将表的键与取决于键的值匹配。

example = { ["dummy"] = this .. " example" }
print example.dummy -- print "dummy example"

this是指代密钥的关键字。在Lua有没有办法做到这一点?

2 个答案:

答案 0 :(得分:2)

没有办法直接这样做。

你可以做一些预处理:

example = { ["dummy"] = "{THIS} example" }
for k,v in pairs(example) do
    example[k]=v:gsub("{THIS}",k)
end
print(example.dummy)

答案 1 :(得分:1)

不可能像以下一样表达:

t = { foo = this .. ' bar' }

因为this总是表示与键或表无关。也就是说,您无法捕获表达式作为表条目的值。

使用metatables和函数实现某种级别的间接是可能的,但它很难实现。在这里我们进行获取时间评估。您也可以重新计算结果。

local function indirect_table ()
    local uptable = {}

    return setmetatable({}, {
        __index = function (self, key)
            local value = uptable[key]

            return type(value) == 'function' and uptable[key](key) or value
        end,
        __newindex = function (self, key, value)
            uptable[key] = value
            --[[precompute, with no need for an uptable, or __index:
                `rawset(self, key, value(key)`]]
        end
    })
end

local tab = indirect_table()

tab.foo = function (key) return key .. 'bar' end

print(tab.foo) --> 'foobar'

注意:此示例使用闭包,但您也可以使用getmetatable实现此类模式。

就个人而言,我将其抽象为一种间接模式,允许指定任意键和值,以及它们的动作。我认为这种模式主要是以编程方式使用,而不是手工使用,其中键值的结果取决于接收的输入。再一次,不是很漂亮,但更强大(可选动作)。

local function I (_, value) return value end

local K = setmetatable({
    __call = function (actor, key)
        return actor.action(key, actor.value)
    end
}, {
    __call = function (K, value, action)
        return setmetatable({ value = value, action = action or  I }, K)
    end
})

local T = setmetatable({
    __newindex = function (self, key, value)
        if getmetatable(value) == K then
            value = value(key)
        end

        rawset(self, key, value)
    end
}, { 
    __call = function (T, o)
        return setmetatable(o or {}, T)
    end
})

简单使用:

local function concat (left, right) return left .. right end

local t = T {}

t.foo = K('bar', concat) -- with a common action
t.zar = K({}, unknown_action) -- without action (`nil`)
t.qux = 'qaz' -- standard

print(t.foo, t.zar, t.qux)

这是奇怪的元编程。我要仔细检查需要这种方法的原因。也许你会陷入XY Problem陷阱?真的感觉就像是一个不需要首先存在的问题的解决方案。