我想使用 LuaSocket 的 HTTP 模块下载一个大文件,同时在控制台中显示进度,然后在 GUI 中显示。UI 绝不能阻塞,即使服务器在传输过程中没有响应也是如此。此外,创建一个工作线程来处理下载不是一个选项。
这是我到目前为止得到的:
local io = io
local ltn12 = require("ltn12")
local http = require("socket.http")
local fileurl = "http://www.example.com/big_file.zip"
local fileout_path = "big_file.zip"
local file_size = 0
local file_down = 0
-- counter filter used in ltn12
function counter(chunk)
if chunk == nil then
return nil
elseif chunk == "" then
return ""
else
file_down = file_down + #chunk
ui_update(file_size, file_down) -- update ui, run main ui loop etc.
return chunk -- return unmodified chunk
end
end
-- first request
-- determine file size
local r, c, h = http.request {
method = "HEAD",
url = fileurl
}
file_size = h["content-length"]
-- second request
-- download file
r, c, h = http.request {
method = "GET",
url = fileurl,
-- set our chain, count first then write to file
sink = ltn12.sink.chain(
counter,
ltn12.sink.file(io.open(fileout_path, "w"))
)
}
上面有几个问题,忽略错误检查和硬编码:
- 如果可能只有 1 个 HTTP 请求,它需要 2 个 HTTP 请求(正常的 GET 请求也发送内容长度)
- 如果服务器没有响应,那么 UI 也将没有响应,因为只有在有数据要处理时才会调用过滤器。
我怎样才能确保 UI 永远不会阻塞?