我试图在ASP.NET Core MVC项目中使用配置变量。
这是我到目前为止的地方:
Configuration class not being recognized
GetSection method not being recognized
关于如何使用它的任何想法?
答案 0 :(得分:8)
.NET Core中的整个配置方法非常灵活,但一开始并不明显。用一个例子解释可能最容易:
假设 appsettings.json 文件如下所示:
{
"option1": "value1_from_json",
"ConnectionStrings": {
"DefaultConnection": "Server=,\\SQL2016DEV;Database=DBName;Trusted_Connection=True"
},
"Logging": {
"IncludeScopes": false,
"LogLevel": {
"Default": "Warning"
}
}
}
要从 appsettings.json 文件获取数据,首先需要在Startup.cs中设置ConfigurationBuilder
,如下所示:
public Startup(IHostingEnvironment env)
{
var builder = new ConfigurationBuilder()
.SetBasePath(env.ContentRootPath)
.AddJsonFile("appsettings.json", optional: false, reloadOnChange: true)
.AddJsonFile($"appsettings.{env.EnvironmentName}.json", optional: true);
if (env.IsDevelopment())
{
// For more details on using the user secret store see https://go.microsoft.com/fwlink/?LinkID=532709
builder.AddUserSecrets<Startup>();
}
builder.AddEnvironmentVariables();
Configuration = builder.Build();
然后,您可以直接访问配置,但它可以创建选项类来保存该数据,然后您可以将这些数据注入控制器或其他类。每个选项类都代表appsettings.json文件的不同部分。
在此代码中,连接字符串被加载到ConnectionStringSettings
类中,另一个选项被加载到MyOptions
类中。 .GetSection
方法获取 appsettings.json 文件的特定部分。同样,这是在Startup.cs:
public void ConfigureServices(IServiceCollection services)
{
... other code
// Register the IConfiguration instance which MyOptions binds against.
services.AddOptions();
// Load the data from the 'root' of the json file
services.Configure<MyOptions>(Configuration);
// load the data from the 'ConnectionStrings' section of the json file
var connStringSettings = Configuration.GetSection("ConnectionStrings");
services.Configure<ConnectionStringSettings>(connStringSettings);
这些是设置数据加载到的类。注意属性名称如何与json文件中的设置配对:
public class MyOptions
{
public string Option1 { get; set; }
}
public class ConnectionStringSettings
{
public string DefaultConnection { get; set; }
}
最后,您可以通过将OptionsAccessor注入控制器来访问这些设置,如下所示:
private readonly MyOptions _myOptions;
public HomeController(IOptions<MyOptions > optionsAccessor)
{
_myOptions = optionsAccessor.Value;
var valueOfOpt1 = _myOptions.Option1;
}
通常,Core中的整个配置设置过程非常不同。 Thomas Ardal在他的网站上有一个很好的解释:http://thomasardal.com/appsettings-in-asp-net-core/
还有Configuration in ASP.NET Core in the Microsoft documentation的详细解释。
注意:这在Core 2中有所改进,我需要重新审视上面的一些答案,但在此期间this Coding Blast entry by Ibrahim Šuta是一个很好的介绍,有很多例子。
NB No. 2:上面很容易做出一些配置错误,如果它不适合你,请查看this answer。
答案 1 :(得分:1)
“Microsoft.Extensions.Options.ConfigurationExtensions”:“1.0.2”, “Microsoft.Extensions.Configuration.Json”:“1.1.1”