InProcessEventBusBase.cs 1.9 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677
  1. using PCC.Common.AssemblyInject.Interfaces;
  2. namespace PCC.Common.EventBus;
  3. public abstract class InProcessEventBusBase(ILogger<InProcessEventBusBase> logger) : IEventBus, IAssemblyInjectSingleton<IEventBus>
  4. {
  5. private readonly Dictionary<Type, HashSet<Delegate>> _dicTypeToHandlers = [];
  6. public bool Subscript<T>(Action<T> callBack)
  7. {
  8. var type = typeof(T);
  9. lock (_dicTypeToHandlers)
  10. {
  11. if (!_dicTypeToHandlers.TryGetValue(type, out var handlers))
  12. {
  13. handlers = _dicTypeToHandlers[type] = [];
  14. }
  15. return handlers.Add(callBack); // 忽略重复
  16. }
  17. }
  18. public bool UnSubscript<T>(Action<T> callBack)
  19. {
  20. lock (_dicTypeToHandlers)
  21. {
  22. if (_dicTypeToHandlers.TryGetValue(typeof(T), out var handlers))
  23. {
  24. var unSubscript = handlers.Remove(callBack);
  25. if (handlers.Count == 0) _dicTypeToHandlers.Remove(typeof(T));
  26. return unSubscript;
  27. }
  28. return false;
  29. }
  30. }
  31. public bool Publish<T>()
  32. {
  33. PublishInternal(new AnyPublishEvent(typeof(T), default));
  34. return PublishInternal<T?>(default);
  35. }
  36. public bool Publish<T>(T obj)
  37. {
  38. PublishInternal(new AnyPublishEvent(typeof(T), obj));
  39. return PublishInternal(obj);
  40. }
  41. private bool PublishInternal<T>(T eventValue)
  42. {
  43. var type = typeof(T);
  44. Delegate[] subscripts;
  45. lock (_dicTypeToHandlers)
  46. {
  47. if (!_dicTypeToHandlers.TryGetValue(type, out var handlers)) return false;
  48. subscripts = [.. handlers];
  49. }
  50. foreach (var del in subscripts)
  51. {
  52. try
  53. {
  54. ((Action<T>)del)(eventValue);
  55. }
  56. catch (Exception e)
  57. {
  58. logger.LogError(e, nameof(Publish));
  59. }
  60. }
  61. return true;
  62. }
  63. }