c# – Asp.Net核心如何更换配置管理器

c# – Asp.Net核心如何更换配置管理器,第1张

概述我是ASP.NET Core RC2的新手,我想知道如何获得一些配置设置并将其应用到我的方法中.对于我的appsettings.json中的实例,我有这个特定的设置 "ConnectionStrings": { "DefaultConnection": "Server=localhost;User Id=postgres;port=5432;Password=castro 我是ASP.NET Core RC2的新手,我想知道如何获得一些配置设置并将其应用到我的方法中.对于我的appsettings.Json中的实例,我有这个特定的设置
"ConnectionStrings": {    "DefaultConnection":         "Server=localhost;User ID=postgres;port=5432;Password=castro666;Database=dbname;"  }

在我的Controller中,每次我想查询数据库时,我都必须使用此设置

using (var conn =      new NpgsqlConnection(         "Server=localhost;User ID=postgres;port=5432;Password=castro666;Database=dbname;")) {     conn.open(); }

这里显而易见的是,如果我想在配置中添加更多内容,我必须更改该方法的每个实例.我的问题是如何在appsettings.Json中获取DefaultConnection,以便我可以做这样的事情

using (var conn =      new NpgsqlConnection(         ConfigurationManager["DefaultConnection")) {     conn.open(); }
解决方法 在ASP.NET Core中,您可以使用许多选项来访问配置.看起来如果你有兴趣访问DefaultConnection,你最好使用DI方法.为了确保您可以使用构造函数依赖注入,我们必须在Startup.cs中正确配置一些内容.
public IConfigurationRoot Configuration { get; }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)        .AddEnvironmentvariables();    Configuration = builder.Build();}

我们现在已从构建器中读取配置JsON并将其分配给我们的Configuration实例.现在,我们需要将其配置为依赖注入 – 所以让我们首先创建一个简单的POCO来保存连接字符串.

public class ConnectionStrings{    public string DefaultConnection { get; set; }}

我们正在实现“Options Pattern”,我们将强类型类绑定到配置段.现在,在ConfigureServices中执行以下 *** 作:

public voID ConfigureServices(IServiceCollection services){    // Setup options with DI    services.AddOptions();    // Configure ConnectionStrings using config    services.Configure<ConnectionStrings>(Configuration);}

现在这一切都已到位,我们可以简单地要求类的构造函数采用IOptions< ConnectionStrings>我们将获得包含配置值的类的物化实例.

public class MyController : Controller{    private Readonly ConnectionStrings _connectionStrings;    public MyController(IOptions<ConnectionString> options)    {        _connectionStrings = options.Value;    }    public IActionResult Get()    {        // Use the _connectionStrings instance Now...        using (var conn = new NpgsqlConnection(_connectionStrings.DefaultConnection))        {            conn.open();            // Omitted for brevity...        }    }}

Here是我一直建议必须阅读的官方文档.

总结

以上是内存溢出为你收集整理的c# – Asp.Net核心如何更换配置管理器全部内容,希望文章能够帮你解决c# – Asp.Net核心如何更换配置管理器所遇到的程序开发问题。

如果觉得内存溢出网站内容还不错,欢迎将内存溢出网站推荐给程序员好友。

欢迎分享,转载请注明来源:内存溢出

原文地址: http://outofmemory.cn/langs/1259381.html

(0)
打赏 微信扫一扫 微信扫一扫 支付宝扫一扫 支付宝扫一扫
上一篇 2022-06-07
下一篇 2022-06-07

发表评论

登录后才能评论

评论列表(0条)

保存