0

我找到了一个关于 post hooking 的主题,但我认为这与我想要完成的事情不同。 我发现的话题

我需要的是以下内容:

local someBoolean = false
function doSomething() -- this is the function used in __index in a proxy table
  someBoolean = true
  return aFunction -- this is function that we can NOT alter
end

我需要能够在返回后运行代码“someBoolean = false”......(是的,我知道这不应该发生:p)考虑到 aFunction 本身可能包含其他函数,我希望 someBoolean 对整个都是真的aFunction 的作用域,但在那之后,它必须变回 false

如果我没有设法解释得足够好,我很抱歉。复制粘贴我实际项目的相关代码会太大,我不想浪费你的时间。我已经被困了一段时间了,我似乎无法弄清楚......

(编辑:我不能只在函数后面加上 someBoolean = false ,因为该函数实际上是代理表上的 __index 函数)

编辑:相关的一段代码。我希望它有点清楚

local function objectProxyDelegate(t, key)
  if not done then  -- done = true when our object is fully initialised
    return cls[key]   -- cls is the class, newinst is the new instance (duh...)
  end
  print("trying to delegate " .. key)
  if accessTable.public[key] then
    print(key .. " passed the test")
    objectScope = true
    if accessTable.static[key] then -- static function. return the static one
      return cls[key]   -- we need to somehow set objectScope back to false after this, otherwise we'll keep overriding protected/private functions
    else
      return newinst[key]
    end
  elseif objectScope then
    print("overridden protected/private")
    return cls[key]
  end
  if accessTable.private[key] then
    error ("This function is not visible. (private)", 2)
  elseif accessTable.protected[key] then
    error ("This function is not visible to an instance. (protected)", 2)
  else
    error ("The function " .. key .. " doesn't exiist in " .. newinst:getType(), 2)                      -- den deze...
  end
end
4

2 回答 2

1

由于您需要返回一个函数(而不是评估一个函数),您可以为 the 创建一个代理aFunction并返回它。以下是它的工作原理(使用 Nicol Bolas 的解决方案中的一堆代码):

local someBoolean = false

function doSomething(...) -- this is the function used in __index in a proxy table
  someBoolean = true

  -- Return a proxy function instead of aFunction
  return function(...)
    local rets = { aFunction(...) }
    someBoolean = false
    return table.unpack(rets)
  end
end
于 2012-08-23T03:44:56.570 回答
0

您不能在语句之后执行代码。return正确答案是调用函数,捕获返回值,设置变量,然后返回返回值。例如:

local someBoolean = false
function doSomething(...) -- this is the function used in __index in a proxy table
  someBoolean = true
  local rets = { aFunction(...) } -- this is function that we can NOT alter
  someBoolean = false
  return table.unpack(rets)
end
于 2012-08-23T00:27:18.783 回答