<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
通過Rider偵錯的方式看了下ASP.NET Core 5.0的Web API預設專案,重點關注Host.CreateDefaultBuilder(args)中的執行過程,主要包括主機設定、應用程式設定、紀錄檔設定和依賴注入設定這4個部分。由於水平和篇幅有限,先整體理解、建立框架,後面再逐步細化,對每個設定部分再詳細拆解
基於ASP.NET Core 5.0構建的Web API專案的Program.cs檔案大家應該都很熟悉:
public class Program { public static void Main(string[] args) { CreateHostBuilder(args).Build().Run(); } public static IHostBuilder CreateHostBuilder(string[] args) => Host.CreateDefaultBuilder(args) .ConfigureWebHostDefaults(webBuilder => { webBuilder.UseStartup<Startup>(); }); }
本文重點講解下Host.CreateDefaultBuilder(args)的執行過程,Microsoft.Extensions.Hosting.Host是一個靜態類,包含2個方法:
public static IHostBuilder CreateDefaultBuilder() =>CreateDefaultBuilder(args: null); public static IHostBuilder CreateDefaultBuilder(string[] args);
上面的方法最終呼叫的還是下面的方法,下面的方法主要包括幾個部分:主機設定ConfigureHostConfiguration,應用程式設定ConfigureAppConfiguration,紀錄檔設定ConfigureLogging,依賴注入設定UseDefaultServiceProvider。
主機設定ConfigureHostConfiguration相關原始碼如下:
builder.UseContentRoot(Directory.GetCurrentDirectory()); builder.ConfigureHostConfiguration(config => { config.AddEnvironmentVariables(prefix: "DOTNET_"); if (args != null) { config.AddCommandLine(args); } });
Directory.GetCurrentDirectory()
當前目錄指的就是D:SoftwareProjectC#ProgramWebApplication3WebApplication3
。
config.AddEnvironmentVariables(prefix: "DOTNET_")
新增了字首為DOTNET_
的環境變數。
最開始認為引數args為null,經過偵錯發現args的值string[0],並且args != null
,所以會有命令列設定源CommandLineConfigurationSource。
應用程式設定ConfigureAppConfiguration相關原始碼如下:
builder.ConfigureAppConfiguration((hostingContext, config) => { IHostEnvironment env = hostingContext.HostingEnvironment; bool reloadOnChange = hostingContext.Configuration.GetValue("hostBuilder:reloadConfigOnChange", defaultValue: true); config.AddJsonFile("appsettings.json", optional: true, reloadOnChange: reloadOnChange).AddJsonFile($"appsettings.{env.EnvironmentName}.json", optional: true, reloadOnChange: reloadOnChange); if (env.IsDevelopment() && !string.IsNullOrEmpty(env.ApplicationName)) { var appAssembly = Assembly.Load(new AssemblyName(env.ApplicationName)); if (appAssembly != null) { config.AddUserSecrets(appAssembly, optional: true); } } config.AddEnvironmentVariables(); if (args != null) { config.AddCommandLine(args); } })
hostingContext.HostingEnvironment表示執行程式的主機環境,比如開發環境或者生產環境。IHostEnvironment介面的資料結構為:
public interface IHostEnvironment { // Development string EnvironmentName { get; set; } // WebApplication3 string ApplicationName { get; set; } // D:SoftwareProjectC#ProgramWebApplication3WebApplication3 string ContentRootPath { get; set; } // PhysicalFileProvider IFileProvider ContentRootFileProvider { get; set; } }
接下來就是通過AddJsonFile()來新增組態檔了,如下所示:
(1)Path(string):json檔案的相對路徑位置。
(2)Optional(bool):指定檔案是否是必須的,如果為false,那麼如果找不到檔案就會丟擲檔案找不到異常。
(3)ReloadOnchange(bool):如果為true,那麼當改變組態檔,應用程式也會隨之更改而無需重啟。
在該專案中總共有2個組態檔,分別是appsettings.json和appsettings.Development.json。
config.AddUserSecrets(appAssembly, optional: true)
主要是在開發的過程中,用來保護組態檔中的敏感資料的,比如密碼等。因為平時在開發中很少使用,所以在此不做深入討論,如果感興趣可參考[3]。
紀錄檔設定ConfigureLogging相關原始碼如下:
.ConfigureLogging((hostingContext, logging) => { bool isWindows = RuntimeInformation.IsOSPlatform(OSPlatform.Windows); if (isWindows) { // Default the EventLogLoggerProvider to warning or above logging.AddFilter<EventLogLoggerProvider>(level => level >= LogLevel.Warning); } logging.AddConfiguration(hostingContext.Configuration.GetSection("Logging")); logging.AddConsole(); logging.AddDebug(); logging.AddEventSourceLogger(); if (isWindows) { // Add the EventLogLoggerProvider on windows machines logging.AddEventLog(); } logging.Configure(options => { options.ActivityTrackingOptions = ActivityTrackingOptions.SpanId | ActivityTrackingOptions.TraceId | ActivityTrackingOptions.ParentId; }); })
從上述程式碼中可以看到是LogLevel.Warning
及以上。
ILoggerProvider不同的實現方式有:ConsoleLoggerProvider
,DebugLoggerProvider
,EventSourceLoggerProvider
,EventLogLoggerProvider
,TraceSourceLoggerProvider
,自定義
。下面是紀錄檔設定涉及的相關程式碼:
logging.AddConsole(); //將紀錄檔輸出到控制檯 logging.AddDebug(); //將紀錄檔輸出到偵錯視窗 logging.AddEventSourceLogger(); logging.AddEventLog();
說明:這一部分詳細的紀錄檔分析可以參考[6]。
public enum ActivityTrackingOptions { None = 0, //No traces will be included in the log SpanId = 1, //The record will contain the Span identifier TraceId = 2, //The record will contain the tracking identifier ParentId = 4, //The record will contain the parent identifier TraceState = 8, //The record will contain the tracking status TraceFlags = 16, //The log will contain trace flags }
在最新的.NET 7 Preview6中又增加了Tags(32)和Baggage(64)。
依賴注入設定UseDefaultServiceProvider相關原始碼如下:
.UseDefaultServiceProvider((context, options) => { bool isDevelopment = context.HostingEnvironment.IsDevelopment(); options.ValidateScopes = isDevelopment; options.ValidateOnBuild = isDevelopment; });
UseDefaultServiceProvider主要是設定預設的依賴注入容器。
參考文獻:
[1].NET Source Browser:https://source.dot.net/
[2]Safe storage of app secrets in development in ASP.NET Core:https://docs.microsoft.com/en-us/aspnet/core/security/app-secrets?view=aspnetcore-6.0&tabs=windows
[3]認識ASP.NET Core/Host及其設定解析:https://zhuanlan.zhihu.com/p/343312339
[4]原始碼解析.Net中Host主機的構建過程:https://www.cnblogs.com/snailZz/p/15240616.html
[5].NET Core通用Host原始碼分析:https://www.cnblogs.com/yingbiaowang/p/15048495.html
[6]基於.NetCore3.1系列--紀錄檔記錄之紀錄檔設定揭祕:https://www.cnblogs.com/i3yuan/p/13411793.html
[7]基於.NetCore3.1系列--紀錄檔記錄之紀錄檔核心要素揭祕:https://www.cnblogs.com/i3yuan/p/13442509.html
[8].NET5中Host.CreateDefaultBuilder(args)詳解:https://blog.csdn.net/qbc12345678/article/details/122983855
[9]ASP.NET啟動和執行機制:https://www.jianshu.com/p/59cfaba4e2cb
[10]ASP.Net Core解讀通用主機和託管服務:https://www.cnblogs.com/qtiger/p/12976207.html
到此這篇關於ASP.NET Core 5.0中的Host.CreateDefaultBuilder執行過程解析的文章就介紹到這了,更多相關ASP.NET Core 5.0 Host.CreateDefaultBuilder執行過程內容請搜尋it145.com以前的文章或繼續瀏覽下面的相關文章希望大家以後多多支援it145.com!
相關文章
<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
综合看Anker超能充系列的性价比很高,并且与不仅和iPhone12/苹果<em>Mac</em>Book很配,而且适合多设备充电需求的日常使用或差旅场景,不管是安卓还是Switch同样也能用得上它,希望这次分享能给准备购入充电器的小伙伴们有所
2021-06-01 09:31:42
除了L4WUDU与吴亦凡已经多次共事,成为了明面上的厂牌成员,吴亦凡还曾带领20XXCLUB全队参加2020年的一场音乐节,这也是20XXCLUB首次全员合照,王嗣尧Turbo、陈彦希Regi、<em>Mac</em> Ova Seas、林渝植等人全部出场。然而让
2021-06-01 09:31:34
目前应用IPFS的机构:1 谷歌<em>浏览器</em>支持IPFS分布式协议 2 万维网 (历史档案博物馆)数据库 3 火狐<em>浏览器</em>支持 IPFS分布式协议 4 EOS 等数字货币数据存储 5 美国国会图书馆,历史资料永久保存在 IPFS 6 加
2021-06-01 09:31:24
开拓者的车机是兼容苹果和<em>安卓</em>,虽然我不怎么用,但确实兼顾了我家人的很多需求:副驾的门板还配有解锁开关,有的时候老婆开车,下车的时候偶尔会忘记解锁,我在副驾驶可以自己开门:第二排设计很好,不仅配置了一个很大的
2021-06-01 09:30:48
不仅是<em>安卓</em>手机,苹果手机的降价力度也是前所未有了,iPhone12也“跳水价”了,发布价是6799元,如今已经跌至5308元,降价幅度超过1400元,最新定价确认了。iPhone12是苹果首款5G手机,同时也是全球首款5nm芯片的智能机,它
2021-06-01 09:30:45