Lua:将上下文传递给loadstring?

时间:2012-02-13 22:25:21

标签: templates lua template-engine

我正在尝试将上下文传递给动态表达式,我评估for循环的每次迭代。我知道加载字符串仅在全局上下文中进行求值,这意味着局部变量是不可访问的。在我的情况下,我通过将本地转换为全局来进行字符串评估来解决此限制。这就是我所拥有的:

require 'cosmo'

model = { { player = "Cliff", age = 35, gender = "male" }, { player = "Ally", age = 36, gender = "female" }, { player = "Jasmine", age = 13, gender = "female" }, { player = "Lauren", age = 6.5, gender = "female" } }

values = { eval = function(args)
    output = ''
    condition = assert(loadstring('return ' .. args.condition))
    for _, it in ipairs(model) do
        each = it
        if condition() then
            output = output .. each.player .. ' age: ' .. each.age .. ' ' .. '\n'
        end
    end
    return output
end }
template = "$eval{ condition = 'each.age < 30' }"

result = cosmo.fill(template, values)
print (result)

我的最终目标(除了掌握Lua之外)是构建一个像诱人引擎这样的XSLT,我可以做以下事情:

apply_templates{ match = each.age > 30}[[<parent-player>$each.player</parent-player>]]

apply_templates{ match = each.age > 30}[[<child-player>$each.player</child-player>]]

......并产生不同的输出。目前,我一直坚持通过全球共享当地背景的强硬态度。这里有没有人能更好地了解我将如何做我正在尝试做的事情?

2 个答案:

答案 0 :(得分:10)

值得注意的是setfenv was removed from Lua 5.2 and loadstring is deprecated。 5.2是相当新的,所以你不必担心它一段时间,但是可以写一个适用于这两个版本的加载例程:

local function load_code(code, environment)
    if setfenv and loadstring then
        local f = assert(loadstring(code))
        setfenv(f,environment)
        return f
    else
        return assert(load(code, nil,"t",environment))
    end
end

local context = {}
context.string = string
context.table = table
-- etc. add libraries/functions that are safe for your application.
-- see: http://lua-users.org/wiki/SandBoxes
local condition = load_code("return " .. args.condition, context)

5.2版load处理旧的loadstring行为并设置环境(在您的示例中为上下文)。版本5.2也改变了environments的概念,因此loadstring可能是您最不担心的问题。尽管如此,还是可以考虑为自己节省一些工作。

答案 1 :(得分:7)

您可以使用setfenv()更改函数的上下文。这允许您基本上将加载的函数沙盒化到其自己的私有环境中。以下内容应该有效:

local context = {}
local condition = assert(loadstring('return ' .. args.condition))
setfenv(condition, context)
for _, it in ipairs(model) do
    context['each'] = it
    if condition() then
        -- ...

这也可以防止条件值访问您不想要的任何数据,或者更重要的是,修改您不希望它的任何数据。但请注意,您需要将任何顶级绑定公开到您希望context能够访问的condition表中(例如,如果您希望它能够访问{{} 1}}包然后你需要把它粘在math)。或者,如果您对context具有全局访问权限没有任何问题,并且您只想处理不使本地变为全局的问题,则可以在condition上使用metatable使其通过未知索引到context

_G