web-dev-qa-db-ja.com

ASP.NET Core:JSON構成GetSectionがnullを返します

次のようなファイル_appsettings.json_があります。

_{
    "MyConfig": {
        "ConfigA": "value",
        "ConfigB": "value"
    }
}
_

私の_Startup.cs_でIConfigurationを構築しています:

_public ConfigurationRoot Configuration { get; set; }

public Startup(ILoggerFactory loggerFactory, IHostingEnvironment environment)
{
      var builder = new ConfigurationBuilder()
                     .SetBasePath(environment.ContentRootPath)
                     .AddJsonFile("appsettings.json", optional: false, reloadOnChange: true)                             
                     .AddEnvironmentVariables();

      Configuration = builder.Build();
}

public void ConfigureServices(IServiceCollection services)
{
      //GetSection returns null...
      services.Configure<MyConfig>(Configuration.GetSection("MyConfig"));
}
_

しかし、Configuration.GetSection("MyConfig")は常にnullを返しますが、値は私のJSONファイルに存在します。 Configuration.GetSection("MyConfig:ConfigA")は問題なく動作します。

何が悪いのですか?

13
moritzg

以下のコードを参照してください

public class Startup
{
    public Startup(IConfiguration configuration)
    {
        Configuration = configuration;
    }

    public IConfiguration Configuration { get; }

    // This method gets called by the runtime. Use this method to add services to the container.
    public void ConfigureServices(IServiceCollection services)
    {
        var config = Configuration.GetSection("MyConfig");
        // To get the value configA
        var value = config["ConfigA"];

        // or direct get the value
        var configA = Configuration.GetSection("MyConfig:ConfigA");

        var myConfig = new MyConfig();
        // This is to bind to your object
        Configuration.GetSection("MyConfig").Bind(myConfig);
        var value2 = myConfig.ConfigA;
    }
}
2
Herman

私はちょうどこれに遭遇しました。フルパスを使用する場合、値はそこにありますが、構成クラスに自動バインドする必要がありました。

クラスのプロパティに自動プロパティアクセサーを追加した後、.Bind(config)が機能し始めました。つまり.

public class MyAppConfig {
  public string MyConfigProperty { get; set;} //this works
  public string MyConfigProperty2; //this does not work
}
1
NeoMime

これでうまくいきました。

public void ConfigureServices(IServiceCollection services)  
{  
     services.Configure<MyConfig>(con=> Configuration.GetSection("MyConfig").Bind(con));  
}
1

これに遭遇し、テストプロジェクトでこれと同じことを行おうとする人にとって、これは私にとってうまくいきました:

other = config.GetSection("OtherSettings").Get<OtherSettings>();
1
coryrwest