forked from tomsci/lupi
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathrunloop.lua
211 lines (182 loc) · 5.93 KB
/
runloop.lua
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
require "misc"
--[[**
The run loop is responsible for dispatching asynchronous callbacks on the
calling thread. It's like pretty much every other event loop ever.
Individual tasks are represented by `AsyncRequest` objects which are constructed
using the `RunLoop:newAsyncRequest()` API (or some higher-level equivalent).
AsyncRequests must define at a minimum, a `completionFn` which is called when
the request is completed. It has the signature
function completionFn(asyncRequestObj, result)
-- result will currently always be an integer
end
and is called using `pcall` so calling `error()` from within a completion
function is allowable and will cause a stacktrace to be printed. The second
member that AsyncRequests may define is a `requestFn`. This is optional, and is
useful for repeating requests - if defined the run loop will automatically call
it when you `queue()` the object and again whenever the request completes, so
you don't have to bother doing it yourself. A request that does not define a
`requestFn` is responsible for calling `Runloop:queue(obj)` followed by whatever
the asynchronous function is, every time. It is an error to pass to a function
an `AsyncRequest` that has not been `queue()d`.
`AsyncRequest` objects are backed by a C `struct AsyncRequest` and may
therefore be used in C API calls.
Example usage:
require "runloop"
function main()
-- Create run loop
local rl = runloop.new()
-- Set up some async sources
local chreq = rl:newAsyncRequest({
completionFn = someFunction,
requestFn = lupi.getch_async,
})
-- Add them to the run loop
rl:queue(chreq)
-- Finally, start the run loop
rl:run()
end
]]
-- AsyncRequest and RunLoop objects setup by native code
function AsyncRequest:__index(key)
local members = AsyncRequest.getMembers(self)
local m = members[key]
if m ~= nil then return m end
return AsyncRequest[key]
end
function AsyncRequest:__newindex(key, value)
AsyncRequest.getMembers(self)[key] = value
end
--[[**
Returns the members table for a specific async request. This is used internally
by `AsyncRequest`.
]]
--native function AsyncRequest.getMembers(asyncRequest)
--[[**
If the request has been completed, returns the result otherwise nil. The non-nil
result will currently always be an integer.
]]
--native function AsyncRequest:getResult()
--[[**
Sets the result of the request, depending on the type of the argument:
* If result is nil, clears the `completed` flag. No I'm not sure why you'd need
this either.
* If result is an integer, sets the `KAsyncFlagIntResult` flag.
* Any other type will (currently) cause an error.
]]
--native function AsyncRequest:setResult(result)
--[[**
Sets the pending flag. Is called automatically by
[RunLoop:queue(obj)](#RunLoop_queue).
]]
--native function AsyncRequest:setPending()
--[[**
Returns true if the request has been set pending (by calling `setPending` or
`queue`).
]]
--native function AsyncRequest:isPending()
--[[**
Returns true if the message is not in use (from the kernel's point of view).
]]
--native function AsyncRequest:isFree()
--[[**
Clears all flags on the request. Called by the runloop just before the request's
`completionFn` is called.
]]
--native function AsyncRequest:clearFlags()
--[[**
Creates a new RunLoop.
]]
function RunLoop.new()
local rl = {
pendingRequests = {},
}
setmetatable(rl, RunLoop)
if not current then
current = rl
end
return rl
end
new = RunLoop.new
-- current set by RunLoop.new
--[[**
Convenience function equivalent to `runloop.current:run()`.
]]
function run()
assert(current, "No runloop constructed")
current:run()
end
--[[**
Starts the event loop running. Returns only when `exitCond.exit` has been set
to `true`. If `exitCond` is `nil` then `self` is used instead (ie the loop exits
when `self.exit` is true). Calls can be nested.
]]
function RunLoop:run(exitCond)
assert(#self.pendingRequests > 0,
"Starting a run loop with no pending requests makes no sense...")
local waitForAnyRequest = self.waitForAnyRequest
local queue = self.queue
if not exitCond then exitCond = self end
local function innerLoop()
while not exitCond.exit do
local numReqs = waitForAnyRequest()
-- Now search the list and complete exactly numReqs requests
for i, req, removeReqFromTable in misc.iter(self.pendingRequests) do
if numReqs == 0 then
break
end
local r = req:getResult()
if r ~= nil then
-- req has completed
numReqs = numReqs - 1
removeReqFromTable()
--self:handleCompletion(req, r)
local fn = req.completionFn or error("No completion function for AsyncRequest!")
req:clearFlags()
fn(req, r)
if req.requestFn and not req:isPending() then
queue(self, req) -- This will call requestFn
end
end
end
if numReqs ~= 0 then
print("Uh oh numReqs not zero at end of RunLoop:"..numReqs)
print("Pending requests:")
for _, req in ipairs(self.pendingRequests) do
print(tostring(req))
end
error("Bad numReqs")
end
end
end
while not exitCond.exit do
-- Use a nested inner loop so we don't have to call xpcall every time
-- we service a new completion
local ok, err = xpcall(innerLoop, debug.traceback)
if not ok then
print(err)
end
end
end
--[[**
Creates a new async request. Does *not* automatically call `queue`. The
C memory allocation for the `AsyncRequest` struct will be increased by
`extraSize` if it is specified.
]]
--native function RunLoop:newAsyncRequest([members, [extraSize]])
--[[**
Sets the given async request as pending. If `obj` has a `requestFn`, this
function is called with `obj` as the only argument. If it doesn't, the caller is
responsible for making the request as appropriate *after* calling `queue`.
]]
function RunLoop:queue(obj)
obj:setPending()
table.insert(self.pendingRequests, obj)
if obj.requestFn then
obj:requestFn()
end
end
--[[**
Blocks the thread until any request completes. Returns the number of completed
requests (which will always be >= 1).
]]
--native function RunLoop:waitForAnyRequest()