在C#中,實現實時通知的一種方法是使用觀察者模式(Observer Pattern)和事件(Events)。以下是一個簡單的示例,展示了如何創建一個觀察者、觸發器和一個訂閱者來實現實時通知。
public interface IObserver
{
void Update(string message);
}
public class Notifier
{
// 事件
public event Action<string> OnNotification;
// 添加觀察者
public void AddObserver(IObserver observer)
{
OnNotification += observer.Update;
}
// 刪除觀察者
public void RemoveObserver(IObserver observer)
{
OnNotification -= observer.Update;
}
// 觸發通知
public void Notify(string message)
{
OnNotification?.Invoke(message);
}
}
public class Watcher : IObserver
{
private string _name;
public Watcher(string name)
{
_name = name;
}
public void Update(string message)
{
Console.WriteLine($"{_name} received notification: {message}");
}
}
現在,你可以創建一個Notifier
實例和一個Watcher
實例,并將觀察者添加到觸發器中:
public static void Main(string[] args)
{
Notifier notifier = new Notifier();
Watcher watcher = new Watcher("Watcher1");
notifier.AddObserver(watcher);
// 模擬實時通知
notifier.Notify("Hello, Observer!");
// 移除觀察者
notifier.RemoveObserver(watcher);
}
運行此代碼,你將看到Watcher1
在接收到通知時輸出一條消息。你可以根據需要修改這個示例,以適應你的具體需求。