mirror of
https://github.com/Insality/druid
synced 2025-06-27 18:37:45 +02:00
72 lines
1.5 KiB
Lua
72 lines
1.5 KiB
Lua
--- Lua event small library
|
|
-- @module druid_event
|
|
|
|
local class = require("druid.system.middleclass")
|
|
|
|
-- @class DruidEvent
|
|
local M = class("druid.event")
|
|
|
|
|
|
--- Event constructur
|
|
-- @function Event
|
|
-- @tparam function initial_callback Subscribe the callback on new event, if callback exist
|
|
function M.initialize(self, initial_callback)
|
|
self._callbacks = {}
|
|
|
|
if initial_callback then
|
|
self:subscribe(initial_callback)
|
|
end
|
|
end
|
|
|
|
|
|
--- Subscribe callback on event
|
|
-- @function event:subscribe
|
|
-- @tparam function callback Callback itself
|
|
function M.subscribe(self, callback)
|
|
assert(type(self) == "table", "You should subscribe to event with : syntax")
|
|
assert(type(callback) == "function", "Callback should be function")
|
|
|
|
table.insert(self._callbacks, callback)
|
|
end
|
|
|
|
|
|
--- Unsubscribe callback on event
|
|
-- @function event:unsubscribe
|
|
-- @tparam function callback Callback itself
|
|
function M.unsubscribe(self, callback)
|
|
for i = 1, #self._callbacks do
|
|
if self._callbacks[i] == callback then
|
|
table.remove(self._callbacks, i)
|
|
return
|
|
end
|
|
end
|
|
end
|
|
|
|
|
|
--- Return true, if event have at lease one handler
|
|
-- @function event:is_exist
|
|
-- @treturn boolean True if event have handlers
|
|
function M.is_exist(self)
|
|
return #self._callbacks > 0
|
|
end
|
|
|
|
|
|
--- Clear the all event handlers
|
|
-- @function event:clear
|
|
function M.clear(self)
|
|
self._callbacks = {}
|
|
end
|
|
|
|
|
|
--- Trigger the event and call all subscribed callbacks
|
|
-- @function event:trigger
|
|
-- @param ... All event params
|
|
function M.trigger(self, ...)
|
|
for i = 1, #self._callbacks do
|
|
self._callbacks[i](...)
|
|
end
|
|
end
|
|
|
|
|
|
return M
|