所以,我试图从函数中获取一个变量。我有一个 Garry's Mod 脚本,其中包含以下语句:
http.Fetch("http://google.fr", function(body)
return body
end)
我的问题是:如何从中检索我的身体变量?我认为没有“全局”关键字(例如在 PHP 中)或 Lua 中的引用之类的东西。谢谢!
所以,我试图从函数中获取一个变量。我有一个 Garry's Mod 脚本,其中包含以下语句:
http.Fetch("http://google.fr", function(body)
return body
end)
我的问题是:如何从中检索我的身体变量?我认为没有“全局”关键字(例如在 PHP 中)或 Lua 中的引用之类的东西。谢谢!
如果你不能简单地从函数返回值,你可以使用一个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)
我认为没有“全局”关键字(例如在 PHP 中)或 Lua 中的引用之类的东西。
有闭包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
处理此问题的最简单方法是编写一个函数,将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
)
我认为您很困惑,因为您似乎更多地处于功能设计思维方式中,而您现在正在混合事件驱动设计。在事件驱动设计中,您基本上是使用参数调用函数并给它们一个函数回调,其中包含一些您希望在调用的函数完成后最终运行的代码。
此外,Lua 中有一个全局关键字——你有全局表_G
。您可能会设置_G.body = body
,但我会避免这种情况并传递回调函数,这些函数知道一旦调用它们就知道如何加载它们。