ASP.NET Core 是如何讀取配置文件,今天咱們來學習。html
ASP.NET Core的配置系統已經和以前版本的ASP.NET有所不一樣了,以前是依賴於System.Configuration和XML配置文件web.config。web
新的配置系統支持多種格式的配置文件。數據庫
下面咱們來以json 格式的配置文件正式開始學習。json
咱們新建一個ASP.NET Core Web 應用程序,選擇無身份驗證。app
在項目目錄下有個 appsettings.json ,咱們先來操做這個文件。學習
在appsettings.json 添加以下兩個節點。ui
{ "Data": "LineZero", "ConnectionStrings": { "DefaultConnection": "數據庫1", "DevConnection": "數據庫2" }, "Logging": { "IncludeScopes": false, "LogLevel": { "Default": "Debug", "System": "Information", "Microsoft": "Information" } } }
下面咱們來讀取。因爲項目默認已經將該文件加入ConfigurationBuilder 之中,因此咱們能夠直接來讀取。spa
在 Configure 方法中讀取:3d
public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory) { var data = Configuration["Data"]; //兩種方式讀取 var defaultcon = Configuration.GetConnectionString("DefaultConnection"); var devcon = Configuration["ConnectionStrings:DevConnection"];
調試程序,能夠看到數據成功取出。調試
咱們複製一個appsettings.json 而後重命名爲 appsettings.Development.json
更改appsettings.Development.json 以下:
{ "Data": "LineZero Development", "ConnectionStrings": { "DefaultConnection": "開發數據庫1", "DevConnection": "開發數據庫2" }, "Logging": { "IncludeScopes": false, "LogLevel": { "Default": "Debug", "System": "Information", "Microsoft": "Information" } } }
而後咱們調試程序,你會發現獲取到的值變成了Development.json 裏的值。
這裏就是多環境配置。
public Startup(IHostingEnvironment env) { var builder = new ConfigurationBuilder() .SetBasePath(env.ContentRootPath) .AddJsonFile("appsettings.json", optional: true, reloadOnChange: true) .AddJsonFile($"appsettings.{env.EnvironmentName}.json", optional: true)//增長環境配置文件,新建項目默認有 .AddEnvironmentVariables(); Configuration = builder.Build(); }
若是咱們直接執行讀取到的就是appsettings.json 的值,由於直接執行時是 Production 環境。
下面是輸出圖:
調試時:
dotnet run 時:
咱們在appsettings.json 及 Development.json 都添加一個 SiteConfig 節點。
"SiteConfig": { "Name": "LineZero's Blog", "Info": "ASP.NET Core 開發及跨平臺,配置文件讀取" },
而後新建一個SiteConfig 類。
public class SiteConfig { public string Name { get; set; } public string Info { get; set; } }
首先在 ConfigureServices 中添加Options 及對應配置。
public void ConfigureServices(IServiceCollection services) { // Add framework services. services.AddMvc(); //添加options services.AddOptions(); services.Configure<SiteConfig>(Configuration.GetSection("SiteConfig")); }
而後咱們在 Controller 中讀取。
public class HomeController : Controller { public SiteConfig Config; public HomeController(IOptions<SiteConfig> option) { Config = option.Value; } public IActionResult Index() { return View(Config); } }
對應View Index.cshtml
@model SiteConfig @{ ViewData["Title"] = Model.Name; } <h1>@Model.Name</h1> <h2>@Model.Info</h2>
執行程序 http://localhost:5000/