The question is basically my problem. I am wondering how I can turn off an event listener but without using a debounce. Can someone help me out here? I just need a link or suggestion on how to do this I don't need you to write me a script. Any help would appreciated. Thanks!
Connect
returns a signal connection object that allows you to disconnect the listener from the event. You can do this by calling Disconnect
on the object
1 | local connection = object.Event:Connect(f) |
2 | connection:Disconnect() |
Some people create their own APIs for binding events to manage Disconnect
better, or just because they don't like using ROBLOX's API. There's no method in the ROBLOX API for disconnecting all listeners from an event, so often you'll see people do something like this...
01 | local EventSignal = { } |
02 |
03 | local function connectSignal(self, func) |
04 | local connections = self.connections |
05 | local signal = self.bindable.Event:Connect(func) |
06 | connections [ #connections + 1 ] = signal -- add signal to connections |
07 | return -- return some disconnector |
08 | end |
09 |
10 | local function disconnectAll(self) |
11 | local connections = self.connections |
12 | for i = 1 , #connections do |
13 | connections [ i ] :Disconnect() -- disconnect roblox event signal |
14 | connections [ i ] = nil |
15 | end |
It's not perfect but that's just meant to show you how it can make life while programming a little bit easier if you're managing a lot of events.
Declare the event connection as a variable. Then you can use Disconnect()
on it.
Example:
1 | local ev |
2 | ev = part.Touched:Connect( function (hit) |
3 | --stuff |
4 | ev:Disconnect() |
5 | end ) |
Or if you want to use an event only once, you can use event:Wait()
, like this:
1 | local hit = part.Touched:Wait() |
2 | --stuff |
You can "disconnect" your Event in various ways.
http://wiki.roblox.com/index.php?title=Destroy_(Method) You can destroy the Event to disconnect it fully, even though you won't be able to use it back again. (Even though you can add a new instance with the same properties as the old Event.
Using :Disconnect() in the event. Here's an example:
1 | -- "PartTouched" is now a identifier for what ":Connect()" returns, which is the event signal for this event. |
2 |
3 | local PartTouched = Part.Touched:Connect( function () |
4 | print ( "Part touched" ) |
5 | end ) |
6 |
7 | -- You can use the :Disconnect() method in the event you made a variable with. |
8 | PartTouched:disconnect() |