沙盒在Lua 5.2(Sandboxing in Lua 5.2)

2019-06-25 22:48发布

我从“编程在Lua”由罗伯托·萨利姆斯学习,我发现,在本书中,沙箱的示例使用功能setfenv()来改变一个给定函数的环境,但在Lua 5.2这一功能不再可用。

我试图从一个文件中的一些的值(配置文件)加载到一个场中的表,但是,在LUA 5.2我不能使用setfenv(这样我就可以在给定的环境中加载的值)。 阅读LUA 5.2的一些文章后,我发现,每个函数可以有(或没有)呼吁_ENV一个的upvalue充当环境,所以,我想下面的代码:

function sandbox(sb_func, sb_env)
    if not sb_func then return nil, "sandbox function not valid" end
    sb_orig_env = _ENV
    _ENV = sb_env -- yes, replaces the global _ENV
    pcall_res, message = pcall( sb_func )
    local modified_env = _ENV -- gets the environment that was used in the pcall( sb_func )
    _ENV = sb_orig_env
    return true, modified_env
end

function readFile(filename)
    code = loadfile(filename)
    res, table = sandbox(code, {})
    if res then
        --[[ Use table (modified_env) ]]--
    else
        print("Code not valid")
end

更换_ENV在“沙箱”功能的效果很好(不能访问常规字段),但是,当“代码”执行它似乎忽略了我取代_ENV ,它仍然可以访问常规领域(印刷,使用loadFile, dofile处理等)。

读书多一点,我发现,LUA 5.2提供了一个函数用于此目的,该功能loadin(env, chunk) ,它运行在给定的环境中定块,但是,当我尝试这个功能添加到我的代码,不存在的功能(没有出现在全球_G场)。

一些帮助将不胜感激。

Answer 1:

当分配给_ENV从内部sandbox ,你没有覆盖全球环境- you're更换_ENV当前正在运行的代码的upvalue。 添加调用print(_ENV)可以帮助您更好地了解所涉及的表的身份。

例如:

function print_env()
  print(_ENV)
end

function sandbox()
  print(_ENV) -- prints: "table: 0x100100610"
  -- need to keep access to a few globals:
  _ENV = { print = print, print_env = print_env, debug = debug, load = load }
  print(_ENV) -- prints: "table: 0x100105140"
  print_env() -- prints: "table: 0x100105140"
  local code1 = load('print(_ENV)')
  code1()     -- prints: "table: 0x100100610"
  debug.setupvalue(code1, 1, _ENV) -- set our modified env
  code1()     -- prints: "table: 0x100105140"
  local code2 = load('print(_ENV)', nil, nil, _ENV) -- pass 'env' arg
  code2()     -- prints: "table: 0x100105140"
end

loadin功能是目前在Lua 5.2的一些预发布版本,但最终版本之前被删除。 取而代之的是,Lua的5.2 loadloadfile功能采取env参数。 您还可以修改_ENV使用其他功能的debug.setupvalue



文章来源: Sandboxing in Lua 5.2