web-dev-qa-db-ja.com

ASP.Net Core MVC依存性注入が機能しない

HomeControllerにインターフェイスを挿入しようとしていますが、このエラーが発生しています。

InvalidOperationException:アクティブ化の試行中に、「Microsoft.Extensions.Configuration.IConfiguration」タイプのサービスを解決できません

私のStartupクラスは次のとおりです。

public Startup(IApplicationEnvironment appEnv)
{
    var builder = new ConfigurationBuilder()
        .SetBasePath(appEnv.ApplicationBasePath)
        .AddEnvironmentVariables()
        .AddJsonFile("appsettings.json");
    Configuration = builder.Build();
}

public IConfigurationRoot Configuration { get; set; }

public void ConfigureServices(IServiceCollection services)
{
    // Add framework services.
    services.AddApplicationInsightsTelemetry(Configuration);

    services.AddEntityFramework()
        .AddSqlServer()
        .AddDbContext<ApplicationDbContext>(options => options
            .UseSqlServer(Configuration["Data:DefaultConnection:ConnectionString"]));

    services.AddIdentity<ApplicationUser, IdentityRole>()
        .AddEntityFrameworkStores<ApplicationDbContext>()
        .AddDefaultTokenProviders();

    services.AddMvc();
    services.AddSingleton(provider => Configuration);

    // Add application services.
    services.AddTransient<IEmailSender, AuthMessageSender>();
    services.AddTransient<ISmsSender, AuthMessageSender>();
}

public void Configure(
    IApplicationBuilder app, 
    IHostingEnvironment env, 
    ILoggerFactory loggerFactory)
{
    loggerFactory.AddConsole(Configuration.GetSection("Logging"));
    loggerFactory.AddDebug();

    app.UseApplicationInsightsRequestTelemetry();

    if (env.IsDevelopment())
    {
        app.UseBrowserLink();
        app.UseDeveloperExceptionPage();
        app.UseDatabaseErrorPage();
    }
    else
    {
        app.UseExceptionHandler("/Home/Error");

        try
        {
            using (var serviceScope = app.ApplicationServices
                .GetRequiredService<IServiceScopeFactory>()
                .CreateScope())
            {
                serviceScope.ServiceProvider
                        .GetService<ApplicationDbContext>()
                        .Database.Migrate();
            }
        }
        catch { }
    }

    app.UseIISPlatformHandler(options => options.AuthenticationDescriptions.Clear());

    app.UseApplicationInsightsExceptionTelemetry();
    app.UseStaticFiles();
    app.UseIdentity();

    app.UseMvc(routes =>
    {
        routes.MapRoute(
            name: "default",
            template: "{controller=Home}/{action=Index}/{id?}");
    });

    app.Run((async (context) =>
    {
        await context.Response.WriteAsync("Error");
    }));
}

私のHomeControllerコンストラクタは次のとおりです。

public HomeController(IConfiguration configuration, IEmailSender mailService)
{
    _mailService = mailService;
    _to = configuration["emailAddress.Support"];
}

どこが間違っているか教えてください。

Microsoft.Extensions.DependencyInjection.ServiceLookup.Service.PopulateCallSites(ServiceProviderプロバイダー、ISet`1 callSiteChain、ParameterInfo []パラメーター、ブール型throwIfCallSiteNotFound)

20
JamTay317

IConfigurationRootの代わりにIConfigurationとして注入してみてください:

 public HomeController(IConfigurationRoot configuration
    , IEmailSender mailService)
{
    _mailService = mailService;
    _to = configuration["emailAddress.Support"];
}

この場合、行

services.AddSingleton(provider => Configuration);

に等しい

services.AddSingleton<IConfigurationRoot>(provider => Configuration);

これは、クラスのConfigurationプロパティがそのように宣言されており、登録されたタイプに一致することでインジェクションが行われるためです。これを非常に簡単に複製できます。

public interface IParent { }

public interface IChild : IParent { }

public class ConfigurationTester : IChild { }
public void ConfigureServices(IServiceCollection services)
{
    // Add framework services.
    services.AddMvc();

    IChild example = new ConfigurationTester();
    services.AddSingleton(provider => example);
}
public class HomeController : Controller
{
    public HomeController(IParent configuration)
    {
        // this will blow up
    }
}

しかしながら

Stephen.vakilがコメントで述べたように、構成ファイルをクラスにロードし、必要に応じてそのクラスをコントローラーに挿入する方が良いでしょう。これは次のようになります。

services.Configure<AppSettings>(Configuration.GetSection("AppSettings"));

IOptionsインターフェイスを使用して、これらの構成を取得できます。

public HomeController(IOptions<AppSettings> appSettings)
32
Will Ray

Core 2.0では、IConfigurationRootの代わりにIConfigurationを使用することをお勧めします

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

public IConfiguration Configuration { get; }

from https://docs.Microsoft.com/en-us/aspnet/core/migration/1x-to-2x/#add-configuration-providers

9

プロジェクトを.Net Core 1.xから2.0に移動するとき、すべてのIConfigurationRootIConfigurationに変更します

2