Created
September 26, 2012 06:46
-
-
Save DomGries/3786466 to your computer and use it in GitHub Desktop.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
using System; | |
using System.Collections.Generic; | |
public class GameEvent | |
{ | |
} | |
public class EventMessenger | |
{ | |
static EventMessenger _instance; | |
public static EventMessenger Instance | |
{ | |
get | |
{ | |
if (_instance == null) | |
{ | |
_instance = new EventMessenger(); | |
} | |
return _instance; | |
} | |
} | |
public delegate void EventDelegate<T>(T e) where T : GameEvent; | |
readonly Dictionary<Type, Delegate> _delegates = new Dictionary<Type, Delegate>(); | |
public void AddListener<T>(EventDelegate<T> listener) where T : GameEvent | |
{ | |
Delegate d; | |
if (_delegates.TryGetValue(typeof(T), out d)) | |
{ | |
_delegates[typeof(T)] = Delegate.Combine(d, listener); | |
} | |
else | |
{ | |
_delegates[typeof(T)] = listener; | |
} | |
} | |
public void RemoveListener<T>(EventDelegate<T> listener) where T : GameEvent | |
{ | |
Delegate d; | |
if (_delegates.TryGetValue(typeof(T), out d)) | |
{ | |
Delegate currentDel = Delegate.Remove(d, listener); | |
if (currentDel == null) | |
{ | |
_delegates.Remove(typeof(T)); | |
} | |
else | |
{ | |
_delegates[typeof(T)] = currentDel; | |
} | |
} | |
} | |
public void Raise<T>(T e) where T : GameEvent | |
{ | |
if (e == null) | |
{ | |
throw new ArgumentNullException("e"); | |
} | |
Delegate d; | |
if (_delegates.TryGetValue(typeof(T), out d)) | |
{ | |
EventDelegate<T> callback = d as EventDelegate<T>; | |
if (callback != null) | |
{ | |
callback(e); | |
} | |
} | |
} | |
} |
I also like this code, has anyone had performance problems with this approach?
How do you Raise and event using this script? EventMessenger.Instance.Raise(e);
Doesnt work.
You don't need to use it as a singleton, do you? I'd rather not have every listener have to wade through every similar event of its kind before finding what it needs.
I've tried it as a regular class and it seems to work. Any performance pitfalls as a non-singleton?
Nice~
Awesome. I was using .Contains(...)
but now using your technique. Thanks!
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
I use this in all of my projects. Thank you!