所以,我试图从函数中获取变量。我有一个Garry的Mod脚本,其中包含以下声明:
http.Fetch("http://google.fr", function(body)
return body
end)
我的问题是:如何从中检索我的身体变量?我认为没有"全球"关键字(例如在PHP中)或Lua中的引用。 谢谢!
答案 0 :(得分:0)
如果您不能简单地从函数返回值,您可以更新upvalue,这将在执行函数后可用:
local bodycopy
http.Fetch("http://google.fr", function(body)
bodycopy = body
end)
-- assuming http.Fetch block here until the content of the URL is retrieved...
print(bodycopy)
答案 1 :(得分:0)
我认为没有"全球"关键字(例如在PHP中)或Lua中的引用。
有closures,可让您访问子功能中定义为local
的变量。
例如:
function makeCounter()
local i = 0
local function counterfunc()
i = i + 1
return i
end
return coutnerfunc
end
local counter1 = makeCounter()
print(counter1()) -- 1
print(counter1()) -- 2
print(counter1()) -- 3
local counter2 = makeCounter()
print(counter2()) -- 1
print(counter2()) -- 2
print(counter1()) -- 4
这意味着您可以存储用于回调函数的对象。
function ENT:GetPage()
-- The implicitly-defined self variable...
http.Fetch("www.example.com", function(body)
-- ...is still available here.
self.results = body
end)
end
注意http.Fetch
是一个异步函数;它实际上在获取页面时调用回调。这不会起作用:
function ENT:GetPage()
local results
http.Fetch("www.example.com", function(body)
results = body
end)
return results -- The closure hasn't been called yet, so this is still nil.
end
答案 2 :(得分:0)
最简单的方法是编写一个函数,将body
结果物理加载到您正在使用的任何接口,或者在Fetch调用中添加代码以自行加载它。像这样:
-- just an example of some function that knew how to load a body result
-- in your context
function setBody(body)
someapi.Display(body)
end
http.Fetch('http://someurl.com',
function(body)
-- you have access to outer functions from this scope. if you have
-- some function or method for loading the response, invoke it here
setBody(body)
-- or just someapi.Display(body)
end
)
我认为你很困惑,因为你似乎更多的是功能性设计思维方式,而你现在正在混合事件驱动设计。在事件驱动设计中,你基本上是用params调用函数并给它们一个函数回调函数,它有一些你想要在你调用的函数完成后最终运行的代码。
此外,是 Lua中排序的全局关键字 - 您拥有全局表_G
。您可以设置_G.body = body
,但我会避免这种情况,并传递回调函数,这些函数知道如何在调用它们时加载它们。