• NET 使用自带 DI 批量注入服务(Service)和 后台服务(BackgroundService)


    记得上一篇文章写过一篇NET 实现 Cron 定时任务执行,告别第三方组件中提到过关于如何后台逻辑批量注入,今天就来学习一下如何在asp .net core 和 .net 控制台程序中 批量注入服务和 BackgroundService 后台服务

    在默认的 .net 项目中如果我们注入一个服务或者后台服务,常规的做法如下

    注册后台服务

    builder.Services.AddHostedService();

    针对继承自接口的服务进行注入:

    1. builder.Services.AddTransient();
    2. builder.Services.AddScoped();
    3. builder.Services.AddSingleton();
    4. builder.Services.AddSingleton(new Operation());
    5. builder.Services.AddScoped(typeof(Operation));
    6. builder.Services.AddTransient(typeof(Operation));

    针对非继承自接口的无构造函数类进行注入

    1. builder.Services.AddSingleton(new Operation());
    2. builder.Services.AddSingleton(typeof(Operation));
    3. builder.Services.AddScoped(typeof(Operation));
    4. builder.Services.AddTransient(typeof(Operation));

    针对非继承自接口的有构造函数的类进行注入(此类型只支持进行单例注入)

    builder.Services.AddSingleton(new Operation("参数1","参数2"));

    上面是常见的几种在项目启动时注入服务的写法,当项目存在很多服务的时候,我们需要一条条的注入显然太过繁琐,所以今天来讲一种批量注入的方法,本文使用的是微软默认的DI 没有去使用 AutoFac ,个人喜欢大道至简,能用官方实现的,就尽量的少去依赖第三方的组件,下面直接展示成果代码。

    1. public static class IServiceCollectionExtension
    2. {
    3. public static void BatchRegisterServices(this IServiceCollection services)
    4. {
    5. var allAssembly = GetAllAssembly();
    6. services.RegisterServiceByAttribute(ServiceLifetime.Singleton, allAssembly);
    7. services.RegisterServiceByAttribute(ServiceLifetime.Scoped, allAssembly);
    8. services.RegisterServiceByAttribute(ServiceLifetime.Transient, allAssembly);
    9. services.RegisterBackgroundService(allAssembly);
    10. }
    11. ///
    12. /// 通过 ServiceAttribute 批量注册服务
    13. ///
    14. ///
    15. ///
    16. private static void RegisterServiceByAttribute(this IServiceCollection services, ServiceLifetime serviceLifetime, List allAssembly)
    17. {
    18. List types = allAssembly.SelectMany(t => t.GetTypes()).Where(t => t.GetCustomAttributes(typeof(ServiceAttribute), false).Length > 0 && t.GetCustomAttribute()?.Lifetime == serviceLifetime && t.IsClass && !t.IsAbstract).ToList();
    19. foreach (var type in types)
    20. {
    21. Type? typeInterface = type.GetInterfaces().FirstOrDefault();
    22. if (typeInterface == null)
    23. {
    24. //服务非继承自接口的直接注入
    25. switch (serviceLifetime)
    26. {
    27. case ServiceLifetime.Singleton: services.AddSingleton(type); break;
    28. case ServiceLifetime.Scoped: services.AddScoped(type); break;
    29. case ServiceLifetime.Transient: services.AddTransient(type); break;
    30. }
    31. }
    32. else
    33. {
    34. //服务继承自接口的和接口一起注入
    35. switch (serviceLifetime)
    36. {
    37. case ServiceLifetime.Singleton: services.AddSingleton(typeInterface, type); break;
    38. case ServiceLifetime.Scoped: services.AddScoped(typeInterface, type); break;
    39. case ServiceLifetime.Transient: services.AddTransient(typeInterface, type); break;
    40. }
    41. }
    42. }
    43. }
    44. ///
    45. /// 注册后台服务
    46. ///
    47. ///
    48. ///
    49. private static void RegisterBackgroundService(this IServiceCollection services, List allAssembly)
    50. {
    51. List types = allAssembly.SelectMany(t => t.GetTypes()).Where(t => typeof(BackgroundService).IsAssignableFrom(t) && t.IsClass && !t.IsAbstract).ToList();
    52. foreach (var type in types)
    53. {
    54. services.AddSingleton(typeof(IHostedService), type);
    55. }
    56. }
    57. ///
    58. /// 获取全部 Assembly
    59. ///
    60. ///
    61. private static List GetAllAssembly()
    62. {
    63. var allAssemblies = AppDomain.CurrentDomain.GetAssemblies().ToList();
    64. HashSet<string> loadedAssemblies = new();
    65. foreach (var item in allAssemblies)
    66. {
    67. loadedAssemblies.Add(item.FullName!);
    68. }
    69. Queue assembliesToCheck = new();
    70. assembliesToCheck.Enqueue(Assembly.GetEntryAssembly()!);
    71. while (assembliesToCheck.Any())
    72. {
    73. var assemblyToCheck = assembliesToCheck.Dequeue();
    74. foreach (var reference in assemblyToCheck!.GetReferencedAssemblies())
    75. {
    76. if (!loadedAssemblies.Contains(reference.FullName))
    77. {
    78. var assembly = Assembly.Load(reference);
    79. assembliesToCheck.Enqueue(assembly);
    80. loadedAssemblies.Add(reference.FullName);
    81. allAssemblies.Add(assembly);
    82. }
    83. }
    84. }
    85. return allAssemblies;
    86. }
    87. }
    88. [AttributeUsage(AttributeTargets.Class)]
    89. public class ServiceAttribute : Attribute
    90. {
    91. public ServiceLifetime Lifetime { get; set; } = ServiceLifetime.Transient;
    92. }

    实现的逻辑其实并不复杂,首先利用循环检索找出项目中所有的 Assembly

    获取项目所有 Assembly 这个方法,需要格外注意,因为 .NET 项目在启动的时候并不会直接把所有 dll 都进行加载,甚至有时候项目经过分层之后服务可能分散于多个类库中,所以我们这里需要循环的将项目所有的 Assembly 信息全部查询出来,确保万无一失。

    当找到全部的 Assembly 之后只要查询中 包含我们指定的 ServiceAttribute 装饰属性的类和 继承自 BackgroundService 类型的所有类型,然后进行依次注入即可。

    只要在原先的服务类头部加上

    [Service(Lifetime = ServiceLifetime.Scoped)]

    [Service(Lifetime = ServiceLifetime.Singleton)]

    [Service(Lifetime = ServiceLifetime.Transient)]

    像下面的 AuthorizeService 只要只要在头部加上 [Service(Lifetime = ServiceLifetime.Scoped)]

    1. [Service(Lifetime = ServiceLifetime.Scoped)]
    2. public class AuthorizeService
    3. {
    4. private readonly DatabaseContext db;
    5. private readonly SnowflakeHelper snowflakeHelper;
    6. private readonly IConfiguration configuration;
    7. public AuthorizeService(DatabaseContext db, SnowflakeHelper snowflakeHelper, IConfiguration configuration)
    8. {
    9. this.db = db;
    10. this.snowflakeHelper = snowflakeHelper;
    11. this.configuration = configuration;
    12. }
    13. ///
    14. /// 通过用户id获取 token
    15. ///
    16. ///
    17. ///
    18. public string GetTokenByUserId(long userId)
    19. {
    20. //此处省略业务逻辑
    21. }
    22. }

    至于注册后台服务,则连装饰属性都不需要加,如下面的的一个后台服务示例代码

    1. public class ClearLogTask : BackgroundService
    2. {
    3. private readonly IServiceProvider serviceProvider;
    4. public ClearLogTask(IServiceProvider serviceProvider)
    5. {
    6. this.serviceProvider = serviceProvider;
    7. }
    8. protected override Task ExecuteAsync(CancellationToken stoppingToken)
    9. {
    10. return Task.Run(() =>
    11. {
    12. var timer = new Timer(1000 * 5);
    13. timer.Elapsed += TimerElapsed;
    14. timer.Start();
    15. }, stoppingToken);
    16. }
    17. private void TimerElapsed(object? sender, ElapsedEventArgs e)
    18. {
    19. //省略业务逻辑
    20. }
    21. }

    像上面的这个清理日志服务,每5秒钟会执行一次,按照微软的语法所有的后台服务都是继承自 BackgroundService 类型的。

    然后我们项目启动的时候只要调用一下我们写的批量注册服务扩展方法即可。这样就批量完成了对项目中所有的服务和后台服务的注入。

    builder.Services.BatchRegisterServices();

  • 相关阅读:
    【PAT甲级 - C++题解】1116 Come on! Let‘s C
    C语言之函数练习题
    场外个股期权标的有哪些?
    前后端 websocket 通信
    安卓应用开发——Android Studio中关于使用Androidstudio的注意事项
    upload-labs/Pass-07 未知后缀名解析漏洞复现
    PromQL基础语法(下)-聚合运算符、内置函数【prometheus查询语句】
    webgl着色器学习 - webpack 打包glsl文件
    Dynamic Wallpaper v17.4 mac版 动态视频壁纸 兼容 M1/M2
    LeetCode 周赛上分之旅 #45 精妙的 O(lgn) 扫描算法与树上 DP 问题
  • 原文地址:https://blog.csdn.net/qq_41872328/article/details/126523980