batteries/async.lua
2020-03-15 21:22:22 +11:00

76 lines
1.4 KiB
Lua

--[[
simple kernel for async tasks running in the background
todo:
multiple types of callbacks
finish, error, step
getting a reference to the task for manipulation
attaching multiple callbacks
cancelling
]]
local async = {}
async._mt = {__index = async}
function async:new()
return setmetatable({
tasks = {},
}, self._mt)
end
--add a task to the kernel
function async:call(f, args, cb, error_cb)
table.insert(self.tasks, {
coroutine.create(f),
args,
cb,
error_cb,
})
end
--update some task in the kernel
function async:update()
--grab task definition
local td = table.remove(self.tasks, 1)
if not td then
return false
end
--run a step
local co, args, cb, error_cb = td[1], td[2], td[3], td[4]
--(reuse these 8 temps)
local a, b, c, d, e, f, g, h
if args then
a, b, c, d, e, f, g, h = unpack(args)
end
local success, a, b, c, d, e, f, g, h = coroutine.resume(co, a, b, c, d, e, f, g, h)
--error?
if not success then
if error_cb then
error_cb(a)
else
error("failure in async task: "..a)
end
end
--check done
if coroutine.status(co) == "dead" then
--done? run callback with result
cb(a, b, c, d, e, f, g, h)
else
--if not done, re-add
table.insert(self.tasks, td)
end
return true
end
--update tasks for some amount of time
function async:update_for_time(t)
local now = love.timer.getTime()
while love.timer.getTime() - now < t do
if not self:update() then
break
end
end
end
return async