私は次のようなクラスを持っています:
public static class Messenger<T>
{
private static readonly Dictionary<string, Delegate> eventTable = new Dictionary<string, Delegate>();
public static void DoSomethingWithEventTable() //Somehow fills eventTable
public static void Clear()
{
eventTable.Clear();
}
}
さて、次DoSomethingWithEventTable
のように、プログラムのどこかで 2 回呼び出しました。
Messenger<int>.DoSomethingWithEventTable();
Messenger<float>.DoSomethingWithEventTable();
eventTable
ごとにクリアしたいMessenger<T>
。どうすればいいですか?Clear
次のように、ジェネリックに入れているすべての型を呼び出す必要があります。
Messenger<int>.Clear();
Messenger<float>.Clear();
それとも、次のようなばかげたことを一度するだけで十分でしょうか。
Messenger<string>.Clear();
UPD:基本的な実験では、T を使用するたびに Messenger をクリアする必要があることが示されています。クラスのより良い設計ができる人はいますか?
私が現在使用しているもののより詳細なバージョン:
static public class Messenger<T>
{
private static readonly Dictionary<string, Delegate> eventTable = new Dictionary<string, Delegate>();
static public void AddListener(string eventType, Callback<T> handler)
{
// Obtain a lock on the event table to keep this thread-safe.
lock (eventTable)
{
// Create an entry for this event type if it doesn't already exist.
if (!eventTable.ContainsKey(eventType))
{
eventTable.Add(eventType, null);
}
// Add the handler to the event.
eventTable[eventType] = (Callback<T>)eventTable[eventType] + handler;
}
}
static public void RemoveListener(string eventType, Callback<T> handler)
{
// Obtain a lock on the event table to keep this thread-safe.
lock (eventTable)
{
// Only take action if this event type exists.
if (eventTable.ContainsKey(eventType))
{
// Remove the event handler from this event.
eventTable[eventType] = (Callback<T>)eventTable[eventType] - handler;
// If there's nothing left then remove the event type from the event table.
if (eventTable[eventType] == null)
{
eventTable.Remove(eventType);
}
}
}
}
static public void Invoke(string eventType, T arg1)
{
Delegate d;
// Invoke the delegate only if the event type is in the dictionary.
if (eventTable.TryGetValue(eventType, out d))
{
// Take a local copy to prevent a race condition if another thread
// were to unsubscribe from this event.
Callback<T> callback = (Callback<T>)d;
// Invoke the delegate if it's not null.
if (callback != null)
{
callback(arg1);
}
}
}
static public void Clear()
{
eventTable.Clear();
}
}
Messenger
また、別のクラス(非ジェネリック、ええ) とを持っていることも重要です。Messenger<T,M>
いつかMessenger<T,M,N>
、 などのようなものが必要になるかもしれません。