5

我正在从 Roberto Ierusalimschy 的“Programing in Lua”中学习,我发现在书中,Sandboxing 的示例使用该函数setfenv()来更改给定函数的环境,但是在 lua 5.2 中不再提供该函数。

我试图将文件(配置文件)中的一些值加载到表中的字段中,但是在 lua 5.2 中我不能使用 setfenv (所以我可以在给定环境中加载值)。在阅读了一些关于 lua 5.2 的文章后,我发现每个函数可能有(或没有)一个称为 _ENV 的上值作为环境,所以,我尝试了以下代码:

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,它仍然可以访问常规字段(打印、加载文件、dofile、 ETC)。

再读一点,我发现lua 5.2为此提供了一个函数,这个函数是loadin(env, chunk),它在给定的环境中运行给定的块,但是,当我尝试将此函数添加到我的代码中时,该函数不存在(不存在于全局_G字段中)。

一些帮助将不胜感激。

4

1 回答 1

7

当您从 inside 分配时_ENVsandbox您不会覆盖全局环境 - 您正在替换_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.2loadloadfile函数接受一个env参数。您还可以使用 修改_ENV另一个函数的debug.setupvalue

于 2012-07-01T08:40:13.853 回答