系统城装机大师 - 固镇县祥瑞电脑科技销售部宣传站!

当前位置:首页 > 网络编程 > ASP.NET > 详细页面

从EFCore上下文的使用到深入剖析DI的生命周期最后实现自动属性注入

时间:2020-02-03来源:系统城作者:电脑系统城

故事背景

最近在把自己的一个老项目从Framework迁移到.Net Core 3.0,数据访问这块选择的是EFCore+Mysql。使用EF的话不可避免要和DbContext打交道,在Core中的常规用法一般是:创建一个XXXContext类继承自DbContext,实现一个拥有DbContextOptions参数的构造器,在启动类StartUp中的ConfigureServices方法里调用IServiceCollection的扩展方法AddDbContext,把上下文注入到DI容器中,然后在使用的地方通过构造函数的参数获取实例。OK,没任何毛病,官方示例也都是这么来用的。但是,通过构造函数这种方式来获取上下文实例其实很不方便,比如在Attribute或者静态类中,又或者是系统启动时初始化一些数据,更多的是如下一种场景:


 
  1. public class BaseController : Controller
  2. {
  3. public BloggingContext _dbContext;
  4. public BaseController(BloggingContext dbContext)
  5. {
  6. _dbContext = dbContext;
  7. }
  8.  
  9. public bool BlogExist(int id)
  10. {
  11. return _dbContext.Blogs.Any(x => x.BlogId == id);
  12. }
  13. }
  14.  
  15. public class BlogsController : BaseController
  16. {
  17. public BlogsController(BloggingContext dbContext) : base(dbContext) { }
  18. }

从上面的代码可以看到,任何要继承BaseController的类都要写一个“多余”的构造函数,如果参数再多几个,这将是无法忍受的(就算只有一个参数我也忍受不了)。那么怎样才能更优雅的获取数据库上下文实例呢,我想到以下几种办法。

DbContext从哪来

1、 直接开溜new

回归原始,既然要创建实例,没有比直接new一个更好的办法了,在Framework中没有DI的时候也差不多都这么干。但在EFCore中不同的是,DbContext不再提供无参构造函数,取而代之的是必须传入一个DbContextOptions类型的参数,这个参数通常是做一些上下文选项配置例如使用什么类型数据库连接字符串是多少。


 
  1. public BloggingContext(DbContextOptions<BloggingContext> options) : base(options)
  2. {
  3. }

默认情况下,我们已经在StartUp中注册上下文的时候做了配置,DI容器会自动帮我们把options传进来。如果要手动new一个上下文,那岂不是每次都要自己传?不行,这太痛苦了。那有没有办法不传这个参数?肯定也是有的。我们可以去掉有参构造函数,然后重写DbContext中的OnConfiguring方法,在这个方法中做数据库配置:


 
  1. protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
  2. {
  3. optionsBuilder.UseSqlite("Filename=./efcoredemo.db");
  4. }

即使是这样,依然有不够优雅的地方,那就是连接字符串被硬编码在代码中,不能做到从配置文件读取。反正我忍受不了,只能再寻找其他方案。

2、 从DI容器手动获取

既然前面已经在启动类中注册了上下文,那么从DI容器中获取实例肯定是没问题的。于是我写了这样一句测试代码用来验证猜想:


 
  1.  var context = app.ApplicationServices.GetService<BloggingContext>();

不过很遗憾抛出了异常:

报错信息说的很明确,不能从root provider中获取这个服务。我从G站下载了DI框架的源码(地址是https://github.com/aspnet/Extensions/tree/master/src/DependencyInjection),拿报错信息进行反向追溯,发现异常来自于CallSiteValidator类的ValidateResolution方法:


 
  1. public void ValidateResolution(Type serviceType, IServiceScope scope, IServiceScoperootScope)
  2. {
  3. if (ReferenceEquals(scope, rootScope)
  4. && _scopedServices.TryGetValue(serviceType, out var scopedService))
  5. {
  6. if (serviceType == scopedService)
  7. {
  8. throw new InvalidOperationException(
  9. Resources.FormatDirectScopedResolvedFromRootException(serviceType,
  10. nameof(ServiceLifetime.Scoped).ToLowerInvariant()));
  11. }
  12.  
  13. throw new InvalidOperationException(
  14. Resources.FormatScopedResolvedFromRootException(
  15. serviceType,
  16. scopedService,
  17. nameof(ServiceLifetime.Scoped).ToLowerInvariant()));
  18. }
  19. }

继续往上,看到了GetService方法的实现:


 
  1. internal object GetService(Type serviceType, ServiceProviderEngineScopeserviceProviderEngineScope)
  2. {
  3. if (_disposed)
  4. {
  5. ThrowHelper.ThrowObjectDisposedException();
  6. }
  7.  
  8. var realizedService = RealizedServices.GetOrAdd(serviceType, _createServiceAccessor);
  9. _callback?.OnResolve(serviceType, serviceProviderEngineScope);
  10. DependencyInjectionEventSource.Log.ServiceResolved(serviceType);
  11. return realizedService.Invoke(serviceProviderEngineScope);
  12. }

可以看到,_callback在为空的情况下是不会做验证的,于是猜想有参数能对它进行配置。把追溯对象换成_callback继续往上翻,在DI框架的核心类ServiceProvider中找到如下方法:


 
  1. internal ServiceProvider(IEnumerable<ServiceDescriptor> serviceDescriptors,ServiceProviderOptions options)
  2. {
  3. IServiceProviderEngineCallback callback = null;
  4. if (options.ValidateScopes)
  5. {
  6. callback = this;
  7. _callSiteValidator = new CallSiteValidator();
  8. }
  9. //省略....
  10. }

说明我的猜想没错,验证是受ValidateScopes控制的。这样来看,把ValidateScopes设置成False就可以解决了,这也是网上普遍的解决方案:


 
  1. .UseDefaultServiceProvider(options =>
  2. {
  3. options.ValidateScopes = false;
  4. })

但这样做是极其危险的。

为什么危险?到底什么是root provider?那就要从原生DI的生命周期说起。我们知道,DI容器被封装成一个IServiceProvider对象,服务都是从这里来获取。不过这并不是一个单一对象,它是具有层级结构的,最顶层的即前面提到的root provider,可以理解为仅属于系统层面的DI控制中心。在Asp.Net Core中,内置的DI有3种服务模式,分别是Singleton、Transient、Scoped,Singleton服务实例是保存在root provider中的,所以它才能做到全局单例。相对应的Scoped,是保存在某一个provider中的,它能保证在这个provider中是单例的,而Transient服务则是随时需要随时创建,用完就丢弃。由此可知,除非是在root provider中获取一个单例服务,否则必须要指定一个服务范围(Scope),这个验证是通过ServiceProviderOptions的ValidateScopes来控制的。默认情况下,Asp.Net Core框架在创建HostBuilder的时候会判定当前是否开发环境,在开发环境下会开启这个验证:

所以前面那种关闭验证的方式是错误的。这是因为,root provider只有一个,如果恰好有某个singleton服务引用了一个scope服务,这会导致这个scope服务也变成singleton,仔细看一下注册DbContext的扩展方法,它实际上提供的是scope服务:

如果发生这种情况,数据库连接会一直得不到释放,至于有什么后果大家应该都明白。

所以前面的测试代码应该这样写:


 
  1. using (var serviceScope = app.ApplicationServices.CreateScope())
  2. {
  3. var context = serviceScope.ServiceProvider.GetService<BloggingContext>();
  4. }

与之相关的还有一个ValidateOnBuild属性,也就是说在构建IServiceProvider的时候就会做验证,从源码中也能体现出来:


 
  1. if (options.ValidateOnBuild)
  2. {
  3. List<Exception> exceptions = null;
  4. foreach (var serviceDescriptor in serviceDescriptors)
  5. {
  6. try
  7. {
  8. _engine.ValidateService(serviceDescriptor);
  9. }
  10. catch (Exception e)
  11. {
  12. exceptions = exceptions ?? new List<Exception>();
  13. exceptions.Add(e);
  14. }
  15. }
  16.  
  17. if (exceptions != null)
  18. {
  19. throw new AggregateException("Some services are not able to be constructed",exceptions.ToArray());
  20. }
  21. }

正因为如此,Asp.Net Core在设计的时候为每个请求创建独立的Scope,这个Scope的provider被封装在HttpContext.RequestServices中。

[小插曲]

通过代码提示可以看到,IServiceProvider提供了2种获取service的方式:

这2个有什么区别呢?分别查看各自的方法摘要可以看到,通过GetService获取一个没有注册的服务时会返回null,而GetRequiredService会抛出一个InvalidOperationException,仅此而已。


 
  1. // 返回结果:
  2. // A service object of type T or null if there is no such service.
  3. public static T GetService<T>(this IServiceProvider provider);
  4.  
  5. // 返回结果:
  6. // A service object of type T.
  7. //
  8. // 异常:
  9. // T:System.InvalidOperationException:
  10. // There is no service of type T.
  11. public static T GetRequiredService<T>(this IServiceProvider provider);

终极大招

到现在为止,尽管找到了一种看起来合理的方案,但还是不够优雅,使用过其他第三方DI框架的朋友应该知道,属性注入的快感无可比拟。那原生DI有没有实现这个功能呢,我满心欢喜上G站搜Issue,看到这样一个回复(https://github.com/aspnet/Extensions/issues/2406):

官方明确表示没有开发属性注入的计划,没办法,只能靠自己了。

我的思路大概是:创建一个自定义标签(Attribute),用来给需要注入的属性打标签,然后写一个服务激活类,用来解析给定实例需要注入的属性并赋值,在某个类型被创建实例的时候也就是构造函数中调用这个激活方法实现属性注入。这里有个核心点要注意的是,从DI容器获取实例的时候一定要保证是和当前请求是同一个Scope,也就是说,必须要从当前的HttpContext中拿到这个IServiceProvider。

先创建一个自定义标签:


 
  1. [AttributeUsage(AttributeTargets.Property)]
  2. public class AutowiredAttribute : Attribute
  3. {
  4.  
  5. }

解析属性的方法:


 
  1. public void PropertyActivate(object service, IServiceProvider provider)
  2. {
  3. var serviceType = service.GetType();
  4. var properties = serviceType.GetProperties().AsEnumerable().Where(x =>x.Name.StartsWith("_"));
  5. foreach (PropertyInfo property in properties)
  6. {
  7. var autowiredAttr = property.GetCustomAttribute<AutowiredAttribute>();
  8. if (autowiredAttr != null)
  9. {
  10. //从DI容器获取实例
  11. var innerService = provider.GetService(property.PropertyType);
  12. if (innerService != null)
  13. {
  14. //递归解决服务嵌套问题
  15. PropertyActivate(innerService, provider);
  16. //属性赋值
  17. property.SetValue(service, innerService);
  18. }
  19. }
  20. }
  21. }

然后在控制器中激活属性:


 
  1. [Autowired]
  2. public IAccountService _accountService { get; set; }
  3.  
  4. public LoginController(IHttpContextAccessor httpContextAccessor)
  5. {
  6. var pro = new AutowiredServiceProvider();
  7. pro.PropertyActivate(this, httpContextAccessor.HttpContext.RequestServices);
  8. }

这样子下来,虽然功能实现了,但是里面存着几个问题。第一个是由于控制器的构造函数中不能直接使用ControllerBase的HttpContext属性,所以必须要通过注入IHttpContextAccessor对象来获取,貌似问题又回到原点。第二个是每个构造函数中都要写这么一堆代码,不能忍。于是想有没有办法在控制器被激活的时候做一些操作?没考虑引入AOP框架,感觉为了这一个功能引入AOP有点重。经过网上搜索,发现Asp.Net Core框架激活控制器是通过IControllerActivator接口实现的,它的默认实现是DefaultControllerActivator(https://github.com/aspnet/AspNetCore/blob/master/src/Mvc/Mvc.Core/src/Controllers/DefaultControllerActivator.cs):


 
  1. /// <inheritdoc />
  2. public object Create(ControllerContext controllerContext)
  3. {
  4. if (controllerContext == null)
  5. {
  6. throw new ArgumentNullException(nameof(controllerContext));
  7. }
  8.  
  9. if (controllerContext.ActionDescriptor == null)
  10. {
  11. throw new ArgumentException(Resources.FormatPropertyOfTypeCannotBeNull(
  12. nameof(ControllerContext.ActionDescriptor),
  13. nameof(ControllerContext)));
  14. }
  15.  
  16. var controllerTypeInfo = controllerContext.ActionDescriptor.ControllerTypeInfo;
  17.  
  18. if (controllerTypeInfo == null)
  19. {
  20. throw new ArgumentException(Resources.FormatPropertyOfTypeCannotBeNull(
  21. nameof(controllerContext.ActionDescriptor.ControllerTypeInfo),
  22. nameof(ControllerContext.ActionDescriptor)));
  23. }
  24.  
  25. var serviceProvider = controllerContext.HttpContext.RequestServices;
  26. return _typeActivatorCache.CreateInstance<object>(serviceProvider,controllerTypeInfo.AsType());
  27. }

这样一来,我自己实现一个Controller激活器不就可以接管控制器激活了,于是有如下这个类:


 
  1. public class HosControllerActivator : IControllerActivator
  2. {
  3. public object Create(ControllerContext actionContext)
  4. {
  5. var controllerType = actionContext.ActionDescriptor.ControllerTypeInfo.AsType();
  6. var instance =actionContext.HttpContext.RequestServices.GetRequiredService(controllerType);
  7. PropertyActivate(instance, actionContext.HttpContext.RequestServices);
  8. return instance;
  9. }
  10.  
  11. public virtual void Release(ControllerContext context, object controller)
  12. {
  13. if (context == null)
  14. {
  15. throw new ArgumentNullException(nameof(context));
  16. }
  17. if (controller == null)
  18. {
  19. throw new ArgumentNullException(nameof(controller));
  20. }
  21. if (controller is IDisposable disposable)
  22. {
  23. disposable.Dispose();
  24. }
  25. }
  26.  
  27. private void PropertyActivate(object service, IServiceProvider provider)
  28. {
  29. var serviceType = service.GetType();
  30. var properties = serviceType.GetProperties().AsEnumerable().Where(x =>x.Name.StartsWith("_"));
  31. foreach (PropertyInfo property in properties)
  32. {
  33. var autowiredAttr = property.GetCustomAttribute<AutowiredAttribute>();
  34. if (autowiredAttr != null)
  35. {
  36. //从DI容器获取实例
  37. var innerService = provider.GetService(property.PropertyType);
  38. if (innerService != null)
  39. {
  40. //递归解决服务嵌套问题
  41. PropertyActivate(innerService, provider);
  42. //属性赋值
  43. property.SetValue(service, innerService);
  44. }
  45. }
  46. }
  47. }
  48. }

需要注意的是,DefaultControllerActivator中的控制器实例是从TypeActivatorCache获取的,而自己的激活器是从DI获取的,所以必须额外把系统所有控制器注册到DI中,封装成如下的扩展方法:


 
  1. /// <summary>
  2. /// 自定义控制器激活,并手动注册所有控制器
  3. /// </summary>
  4. /// <param name="services"></param>
  5. /// <param name="obj"></param>
  6. public static void AddHosControllers(this IServiceCollection services, object obj)
  7. {
  8. services.Replace(ServiceDescriptor.Transient<IControllerActivator, HosControllerActivator>());
  9. var assembly = obj.GetType().GetTypeInfo().Assembly;
  10. var manager = new ApplicationPartManager();
  11. manager.ApplicationParts.Add(new AssemblyPart(assembly));
  12. manager.FeatureProviders.Add(new ControllerFeatureProvider());
  13. var feature = new ControllerFeature();
  14. manager.PopulateFeature(feature);
  15. feature.Controllers.Select(ti => ti.AsType()).ToList().ForEach(t =>
  16. {
  17. services.AddTransient(t);
  18. });
  19. }

在ConfigureServices中调用:


 
  1. services.AddHosControllers(this);

到此,大功告成!可以愉快的继续CRUD了。

结尾

市面上好用的DI框架一堆一堆的,集成到Core里面也很简单,为啥还要这么折腾?没办法,这不就是造轮子的乐趣嘛。上面这些东西从头到尾也折腾了不少时间,属性注入那里也还有优化的空间,欢迎探讨。

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持我们。

分享到:

相关信息

系统教程栏目

栏目热门教程

人气教程排行

站长推荐

热门系统下载