码迷,mamicode.com
首页 > Web开发 > 详细

DotNetCore深入了解之一Startup类

时间:2018-07-28 23:31:39      阅读:339      评论:0      收藏:0      [点我收藏+]

标签:esb   public   封装   time   ddl   tty   ISE   sde   instance   

一个典型的ASP.NET Core应用程序会包含Program与Startup两个文件。Program类中有应用程序的入口方法Main,其中的处理逻辑通常是创建一个WebHostBuilder,再生成WebHost,然后启动项目。

技术分享图片
1 public static IWebHostBuilder CreateWebHostBuilder(string[] args) => WebHost.CreateDefaultBuilder(args) .UseStartup<Startup>();
View Code

UseStartup方法的实现内容:

技术分享图片
 1 public static IWebHostBuilder UseStartup(this IWebHostBuilder hostBuilder, Type startupType)
 2 {
 3     var startupAssemblyName = startupType.GetTypeInfo().Assembly.GetName().Name;
 4 
 5     return hostBuilder
 6         .UseSetting(WebHostDefaults.ApplicationKey, startupAssemblyName)
 7         .ConfigureServices(services =>
 8         {
 9             if (typeof(IStartup).GetTypeInfo().IsAssignableFrom(startupType.GetTypeInfo()))
10             {
11                 services.AddSingleton(typeof(IStartup), startupType);
12             }
13             else
14             {
15                 services.AddSingleton(typeof(IStartup), sp =>
16                 {
17                     var hostingEnvironment = sp.GetRequiredService<IHostingEnvironment>();
18                     return new ConventionBasedStartup(StartupLoader.LoadMethods(sp, startupType, hostingEnvironment.EnvironmentName));
19                 });
20             }
21         });
22 }
View Code

可以看出所指定的Startup类型会在DI容器中注册为单例形式,注册的处理过程被封装成Action

 

同时Startup类型可以有两种实现方式:

 

  • 自定义实现IStartup接口的类
  • 内部定义的ConventionBasedStartup

实际使用的Startup类经常是这样的:

技术分享图片
 1 public class Startup
 2     {
 3         public Startup(IConfiguration configuration)
 4         {
 5             Configuration = configuration;
 6         }
 7 
 8         public IConfiguration Configuration { get; }
 9 
10         // This method gets called by the runtime. Use this method to add services to the container.
11         public void ConfigureServices(IServiceCollection services)
12         {
13         }
14 
15         // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
16         public void Configure(IApplicationBuilder app, IHostingEnvironment env)
17         {
18         }
19     }
View Code

所以明显不是第一种方式,那么其又是怎么与第二种方式关联起来的?ConventionBasedStartup的构造方法中传入了StartupMethods类型的参数,它的LoadMethod方法里曝露了更多的信息。

技术分享图片
 1 public static StartupMethods LoadMethods(IServiceProvider hostingServiceProvider, Type startupType, string environmentName)
 2 {
 3     var configureMethod = FindConfigureDelegate(startupType, environmentName);
 4 
 5     var servicesMethod = FindConfigureServicesDelegate(startupType, environmentName);
 6     var configureContainerMethod = FindConfigureContainerDelegate(startupType, environmentName);
 7 
 8     object instance = null;
 9     if (!configureMethod.MethodInfo.IsStatic || (servicesMethod != null && !servicesMethod.MethodInfo.IsStatic))
10     {
11         instance = ActivatorUtilities.GetServiceOrCreateInstance(hostingServiceProvider, startupType);
12     }
13 
14     // The type of the TContainerBuilder. If there is no ConfigureContainer method we can just use object as it‘s not
15     // going to be used for anything.
16     var type = configureContainerMethod.MethodInfo != null ? configureContainerMethod.GetContainerType() : typeof(object);
17 
18     var builder = (ConfigureServicesDelegateBuilder) Activator.CreateInstance(
19         typeof(ConfigureServicesDelegateBuilder<>).MakeGenericType(type),
20         hostingServiceProvider,
21         servicesMethod,
22         configureContainerMethod,
23         instance);
24 
25     return new StartupMethods(instance, configureMethod.Build(instance), builder.Build());
26 }
View Code

它的内部处理中会找寻三种方法,ConfigureServices, Configure与ConfigureContainer。

技术分享图片
 1 private static ConfigureBuilder FindConfigureDelegate(Type startupType, string environmentName)
 2 {
 3     var configureMethod = FindMethod(startupType, "Configure{0}", environmentName, typeof(void), required: true);
 4     return new ConfigureBuilder(configureMethod);
 5 }
 6 
 7 private static ConfigureContainerBuilder FindConfigureContainerDelegate(Type startupType, string environmentName)
 8 {
 9     var configureMethod = FindMethod(startupType, "Configure{0}Container", environmentName, typeof(void), required: false);
10     return new ConfigureContainerBuilder(configureMethod);
11 }
12 
13 private static ConfigureServicesBuilder FindConfigureServicesDelegate(Type startupType, string environmentName)
14 {
15     var servicesMethod = FindMethod(startupType, "Configure{0}Services", environmentName, typeof(IServiceProvider), required: false)
16         ?? FindMethod(startupType, "Configure{0}Services", environmentName, typeof(void), required: false);
17     return new ConfigureServicesBuilder(servicesMethod);
18 }
View Code

ConfigureServices方法用于在容器中注册各种所需使用的服务接口类型,Configure方法中可以使用各种middleware(中间件),对HTTP请求pipeline(管道)进行配置。

这二者与IStartup接口的方法基本一致,而ConfigureContainer方法则是提供了一种引入第三方DI容器的功能。

技术分享图片
1 public interface IStartup
2 {
3     IServiceProvider ConfigureServices(IServiceCollection services);
4 
5     void Configure(IApplicationBuilder app);
6 }
View Code

使用第二种Startup类型的实现方式时,对于Configure方法的参数也可以更加灵活,不仅可以传入IApplicationBuilder类型,还可以有其它已注册过的任意接口类型。

ConfigureBuilder类的Build方法对额外参数的处理方法简单明了,是IApplicationBuilder类型的直接传入参数实例,不是的则从DI容器中获取实例:

技术分享图片
 1 public class ConfigureBuilder
 2 {
 3     public Action<IApplicationBuilder> Build(object instance) => builder => Invoke(instance, builder);
 4 
 5     private void Invoke(object instance, IApplicationBuilder builder)
 6     {
 7         // Create a scope for Configure, this allows creating scoped dependencies
 8         // without the hassle of manually creating a scope.
 9         using (var scope = builder.ApplicationServices.CreateScope())
10         {
11             var serviceProvider = scope.ServiceProvider;
12             var parameterInfos = MethodInfo.GetParameters();
13             var parameters = new object[parameterInfos.Length];
14             for (var index = 0; index < parameterInfos.Length; index++)
15             {
16                 var parameterInfo = parameterInfos[index];
17                 if (parameterInfo.ParameterType == typeof(IApplicationBuilder))
18                 {
19                     parameters[index] = builder;
20                 }
21                 else
22                 {
23                     try
24                     {
25                         parameters[index] = serviceProvider.GetRequiredService(parameterInfo.ParameterType);
26                     }
27                     ...
28                 }
29             }
30             MethodInfo.Invoke(instance, parameters);
31         }
32     }
33 }
View Code

此外,在找寻各种方法的处理中可以看到环境变量的身影。所以用第二种方式可以依据不同的环境变量定义同类型但不同名称的方法,这样可以省去写不少if...else...的处理。UseStartup方法中还只是申明了需要注册Startup类型,实际的调用是在WebHostBuilder类执行Build方法时发生的。

技术分享图片
 1 private IServiceCollection BuildCommonServices(out AggregateException hostingStartupErrors)
 2 {
 3     ...
 4 
 5     foreach (var configureServices in _configureServicesDelegates)
 6     {
 7         configureServices(_context, services);
 8     }
 9 
10     return services;    
11 }
View Code

至于Startup类型中方法的调用时机,则需跟踪到WebHost类中。

首先是它的Initialize方法会确保获得Startup类的实例,并调用ConfigureServices方法注册服务接口。

技术分享图片
 1 private void EnsureApplicationServices()
 2 {
 3     if (_applicationServices == null)
 4     {
 5         EnsureStartup();
 6         _applicationServices = _startup.ConfigureServices(_applicationServiceCollection);
 7     }
 8 }
 9 
10 private void EnsureStartup()
11 {
12     if (_startup != null)
13     {
14         return;
15     }
16 
17     _startup = _hostingServiceProvider.GetService<IStartup>();
18 
19     ...
20 }
View Code

然后WebHost实例被启动时,它的BuildApplication方法会创建一个ApplicationBuilder实例,以其作为Configure方法参数,同时调用Configure方法,这时Configure方法中对那些middleware的处理方式(即Func<RequestDelegate, RequestDelegate>方法)会被加入到ApplicationBuilder之中。

技术分享图片
 1 private RequestDelegate BuildApplication()
 2 {
 3     try
 4     {
 5         _applicationServicesException?.Throw();
 6         EnsureServer();
 7 
 8         var builderFactory = _applicationServices.GetRequiredService<IApplicationBuilderFactory>();
 9         var builder = builderFactory.CreateBuilder(Server.Features);
10         builder.ApplicationServices = _applicationServices;
11 
12         var startupFilters = _applicationServices.GetService<IEnumerable<IStartupFilter>>();
13         Action<IApplicationBuilder> configure = _startup.Configure;
14         foreach (var filter in startupFilters.Reverse())
15         {
16             configure = filter.Configure(configure);
17         }
18 
19         configure(builder);
20 
21         return builder.Build();
22     }
23 }
View Code

ApplicationBuilder的Build方法将这些处理逻辑嵌套起来,最底层的是返回404未找到的处理逻辑。

技术分享图片
 1 public RequestDelegate Build()
 2 {
 3     RequestDelegate app = context =>
 4     {
 5         context.Response.StatusCode = 404;
 6         return Task.CompletedTask;
 7     };
 8 
 9     foreach (var component in _components.Reverse())
10     {
11         app = component(app);
12     }
13 
14     return app;
15 }
View Code

BuildApplication方法返回已嵌套的RequestDelegate委托方法,并在之后生成的HostingApplication实例中,将其传入它的构造方法。

技术分享图片
 1 public virtual async Task StartAsync(CancellationToken cancellationToken = default)
 2 {
 3     HostingEventSource.Log.HostStart();
 4     _logger = _applicationServices.GetRequiredService<ILogger<WebHost>>();
 5     _logger.Starting();
 6 
 7     var application = BuildApplication();
 8 
 9     _applicationLifetime = _applicationServices.GetRequiredService<IApplicationLifetime>() as ApplicationLifetime;
10     _hostedServiceExecutor = _applicationServices.GetRequiredService<HostedServiceExecutor>();
11     var diagnosticSource = _applicationServices.GetRequiredService<DiagnosticListener>();
12     var httpContextFactory = _applicationServices.GetRequiredService<IHttpContextFactory>();
13     var hostingApp = new HostingApplication(application, _logger, diagnosticSource, httpContextFactory);
14     await Server.StartAsync(hostingApp, cancellationToken).ConfigureAwait(false);
15 
16 }
View Code

上述方法中HostingApplication实例最终被传入KestrelServer的启动方法中,这样才能在其内部调用HostingApplication的ProcessRequestAsync方法,并开始层层调用诸多的RequestDelegate方法。

技术分享图片
1 public Task ProcessRequestAsync(Context context)
2 {
3     return _application(context.HttpContext);
4 }
View Code

如果觉得使用Startup类还是有点麻烦的话,直接使用WebHostBuilder所提供的扩展方法也是同样的效果。

技术分享图片
 1 public static IWebHostBuilder CreateWebHostBuilder(string[] args) =>
 2     WebHost.CreateDefaultBuilder(args)
 3         .ConfigureAppConfiguration((hostingContext, config) =>
 4         {
 5             HostingEnvironment = hostingContext.HostingEnvironment;
 6             Configuration = config.Build();
 7         })
 8         .ConfigureServices(services =>
 9         {
10             services.AddMvc();
11         })
12         .Configure(app =>
13         {
14             if (HostingEnvironment.IsDevelopment())
15             {
16                 app.UseDeveloperExceptionPage();
17             }
18             else
19             {
20                 app.UseExceptionHandler("/Error");
21             }
22 
23             app.UseMvcWithDefaultRoute();
24             app.UseStaticFiles();
25         });
View Code

不过使用独立的Startup类有着额外的好处,Startup类可以被包含在与Program类不用的的程序集中。然后通过WebHostOptions类中StartupAssembly属性的设定及其它相关处理,完成UseStartup方法同样的功能。

技术分享图片
 1 private IServiceCollection BuildCommonServices(out AggregateException hostingStartupErrors)
 2 {
 3     ...
 4 
 5     if (!string.IsNullOrEmpty(_options.StartupAssembly))
 6     {
 7         try
 8         {
 9             var startupType = StartupLoader.FindStartupType(_options.StartupAssembly, _hostingEnvironment.EnvironmentName);
10 
11             if (typeof(IStartup).GetTypeInfo().IsAssignableFrom(startupType.GetTypeInfo()))
12             {
13                 services.AddSingleton(typeof(IStartup), startupType);
14             }
15             else
16             {
17                 services.AddSingleton(typeof(IStartup), sp =>
18                 {
19                     var hostingEnvironment = sp.GetRequiredService<IHostingEnvironment>();
20                     var methods = StartupLoader.LoadMethods(sp, startupType, hostingEnvironment.EnvironmentName);
21                     return new ConventionBasedStartup(methods);
22                 });
23             }
24         }
25         ...
26     }
27 
28     ...
29 
30     return services;
31 }
View Code

 

 

DotNetCore深入了解之一Startup类

标签:esb   public   封装   time   ddl   tty   ISE   sde   instance   

原文地址:https://www.cnblogs.com/lizhizhang/p/9383807.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!