Openiddict Невозможно разрешить службу для типа 'OpenIddict.Core.IOpenIddictApplicationStore`

Я пытаюсь настроить основной проект.net с использованием идентификации + авторизации jwt, но получаю следующую ошибку:

System.InvalidOperationException: невозможно разрешить службу для типа 'OpenIddict.Core.IOpenIddictApplicationStore1[OpenIddict.Models.OpenIddictApplication]' while attempting to activate 'OpenIddict.Core.OpenIddictApplicationManager1 [OpenIddict.Models.OpenIddictApplication]".

Вот моя конфигурация:

public class Startup
{
    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();
    }

    public IConfigurationRoot Configuration { get; }

    // This method gets called by the runtime. Use this method to add services to the container.
    public void ConfigureServices(IServiceCollection services)
    {
        // Add framework services.
        services.AddMvc();

        services.AddEntityFrameworkSqlServer()
            .AddDbContext<ApplicationDbContext>(options => {
                options.UseSqlServer(Configuration["Data:DefaultConnection:ConnectionString"]);
                options.UseOpenIddict();
        });

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

        // add OpenIddict
        services.AddOpenIddict()
            .DisableHttpsRequirement()
            .EnableTokenEndpoint("/api/authenticate/token")
            .AllowPasswordFlow()
            .AllowRefreshTokenFlow()
            .UseJsonWebTokens()
            .AddEphemeralSigningKey();

        services.AddTransient<IDatabaseInitializer, DatabaseInitializer>();
    }

    // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
    public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory, IDatabaseInitializer initializer)
    {
        loggerFactory.AddConsole(Configuration.GetSection("Logging"));
        loggerFactory.AddDebug();

        if (env.IsDevelopment())
        {
            app.UseDeveloperExceptionPage();
            app.UseWebpackDevMiddleware(new WebpackDevMiddlewareOptions {
                HotModuleReplacement = true
            });
        }
        else
        {
            app.UseExceptionHandler("/Home/Error");
        }

        app.UseStaticFiles();

        app.UseOpenIddict();

        // use jwt bearer authentication
        app.UseJwtBearerAuthentication(new JwtBearerOptions
        {
            AutomaticAuthenticate = true,
            AutomaticChallenge = true,
            RequireHttpsMetadata = false,
            Audience = "http://localhost:1804/",
            Authority = "http://localhost:1804/"
        });

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

            routes.MapSpaFallbackRoute(
                name: "spa-fallback",
                defaults: new { controller = "Home", action = "Index" });
        });

        initializer.Seed();
    }
}

Ошибка появляется, когда я пытаюсь вызвать /api/authenticate/token дорожка. Может ли кто-нибудь помочь мне в решении этой проблемы?

1 ответ

Решение

Вам нужно зарегистрировать магазины Entity Framework. Добавить вызов AddEntityFrameworkCoreStores когда вы регистрируете сервисы OpenIddict:

 services.AddOpenIddict()
     .AddEntityFrameworkCoreStores<ApplicationDbContext>()
     ...

Кстати, рассмотрите возможность использования расширенной версии AddOpenIddict метод (проверьте образец openiddict)

services.AddOpenIddict(options =>
            {
                 options.DisableHttpsRequirement();

                 options.AllowAuthorizationCodeFlow()
                       .AllowPasswordFlow()
                       .AllowRefreshTokenFlow();
                 ...
            }
Другие вопросы по тегам