Actually I was scrubbing on my files of an old project to open source and this probably can help you
(It does not rely on BindableEvents, some testing I did some time ago suggests that it performs better than spamming BindableEvents).
Source
local Event = { -- recreate the RBXScriptSignal instance to be applied on custom gui objects
new = function()
local signalAPI = {
FunctionConnectionQueue = {}, -- internal usage by the module to manage connected functions
WaitLink = {WaitCount = 0, CanFlush = false, Args = nil}, -- internal usage by the module to manage yielding threads
Connect = function(event, f) -- adds a function to the queue that is fired when the event happens
local ScriptConnection = {Connected = true, Listener = f, Disconnect = function(connection) -- recreates the RBXScriptConnection instance
connection.Connected = false
end}
table.insert(event.FunctionConnectionQueue, ScriptConnection)
return ScriptConnection
end,
Wait = function(event) -- yields the script until the event is fired
event.WaitLink.WaitCount = event.WaitLink.WaitCount + 1
repeat
wait()
until event.WaitLink.CanFlush
event.WaitLink.WaitCount = event.WaitLink.WaitCount - 1
return unpack(event.WaitLink.Args)
end,
Fire = function(event, ...) -- internal usage by the module that makes the magic happen
local packedArgs = {...}
-- flush all :Wait() calls
event.WaitLink.Args = packedArgs
event.WaitLink.CanFlush = true
coroutine.resume(coroutine.create(function()
repeat
wait()
until event.WaitLink.WaitCount == 0 -- revoke the flush permission when all :Wait() calls have been returned
event.WaitLink.CanFlush = false
end))
for i = #(event.FunctionConnectionQueue), 1, -1 do
-- RBXScriptSignal fires functions in reverse order they were connected, so do I
local connection = event.FunctionConnectionQueue[i]
if connection.Connected then
coroutine.resume(coroutine.create(function()
connection.Listener(unpack(packedArgs))
end))
end
end
end
}
return signalAPI
end
}
return Event
Making an event:
Say you have your character
custom object (probably defined as a table like this):
character = {
Speed = 150,
Sleep = 1,
--etc
}
All you need to do now is to require the module and declare an Event.new()
, à là Roblox:
You only need to require the module to make new events, you don’t need it to manipulate (connect to, wait, fire) them!
local Event = require(--[[ path to module ]])
character = {
Speed = 150,
Sleep = 1,
DoubleJumped = Event.new()
}
And then proceed as always. On another script:
local connection = character.DoubleJump:Connect(function(arg1, arg2, arg3)
print(arg1),
character.Speed = arg2 + arg3
)
warn(character.DoubleJump:Wait())
connection:Disconnect()
-- Other script
character.DoubleJump:Fire(1337, 13, 15)