IdentityServer4 Quickstart проблемы - PullRequest
0 голосов
/ 29 июня 2018

Я сейчас на этой странице руководства IdentityServer 4 http://docs.identityserver.io/en/dev/quickstarts/3_interactive_login.html и пытаюсь запустить приложение MVC.

Однако, я продолжаю получать эту ошибку, когда я запускаю клиентское приложение

InvalidOperationException: Unable to resolve service for type 'IdentityServer4.Services.IIdentityServerInteractionService' while attempting to activate 'IdentityServer4.Quickstart.UI.HomeController'.

Я зашел в GitHub IdentityServer4 и скопировал оттуда код, но он вообще не запускается.

Я не уверен, что делать дальше.

Это мой Startup.cs

using System;
using System.Collections.Generic;
using System.IdentityModel.Tokens.Jwt;
using System.Linq;
using System.Threading.Tasks;
using Microsoft.AspNetCore.Builder;
using Microsoft.AspNetCore.Hosting;
using Microsoft.AspNetCore.Http;
using Microsoft.Extensions.DependencyInjection;

namespace IdentityServerClient
{
    public class Startup
    {
        // This method gets called by the runtime. Use this method to add services to the container.
        // For more information on how to configure your application, visit https://go.microsoft.com/fwlink/?LinkID=398940
        public void ConfigureServices(IServiceCollection services)
        {
            services.AddMvc();
            JwtSecurityTokenHandler.DefaultInboundClaimTypeMap.Clear();

            services.AddAuthentication(options =>
            {
                options.DefaultScheme = "Cookies";
                options.DefaultChallengeScheme = "oidc";
            })
                .AddCookie("Cookies")
                .AddOpenIdConnect("oidc", options =>
                {
                    options.SignInScheme = "Cookies";

                    options.Authority = "http://localhost:5000";
                    options.RequireHttpsMetadata = false;

                    options.ClientId = "mvc";
                    options.SaveTokens = true;
                });
        }

        // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
        public void Configure(IApplicationBuilder app, IHostingEnvironment env)
        {
            if (env.IsDevelopment())
            {
                app.UseDeveloperExceptionPage();
            }
            else
            {
                app.UseExceptionHandler("/Home/Error");
            }

            app.UseAuthentication();

            app.UseStaticFiles();
            app.UseMvcWithDefaultRoute();
        }
    }
}

enter image description here Я также не могу попасть на страницу входа, указанную в документации.

Ответы [ 2 ]

0 голосов
/ 29 июня 2018

UPDATE

* Просмотрите этот код: он может помочь, потому что я тоже учусь на нем, и он работает для меня. *

public void ConfigureServices(IServiceCollection services)
        {
            services.AddMvc();
            var migrationsAssembly = typeof(Startup).GetTypeInfo().Assembly.GetName().Name;

            // configure identity server with in-memory stores, keys, clients and scopes
            services.AddIdentityServer()
                .AddDeveloperSigningCredential()
                .AddTestUsers(Config.GetUsers())
                //.AddInMemoryClients(Config.GetClients())
                // this adds the config data from DB (clients, resources)
                .AddConfigurationStore(options =>
                {
                    options.ConfigureDbContext = builder =>
                        builder.UseSqlServer(Configuration.GetConnectionString("IdentityConnectionString"), sql =>
                            sql.MigrationsAssembly(migrationsAssembly));
                })

                // this adds the operational data from DB (codes, tokens, consents)
                .AddOperationalStore(options =>
                {
                    options.ConfigureDbContext = builder =>
                        builder.UseSqlServer(Configuration.GetConnectionString("IdentityConnectionString"),
                            sql => sql.MigrationsAssembly(migrationsAssembly));

                    // this enables automatic token cleanup. this is optional.
                    options.EnableTokenCleanup = true;
                    options.TokenCleanupInterval = 30;
                });
                //.AddInMemoryIdentityResources(Config.GetIdentityResources())
                //.AddInMemoryApiResources(Config.GetApiResources())


            services.AddAuthentication();

        }


    // clients want to access resources (aka scopes)
    public static IEnumerable<Client> GetClients()
    {
        // client credentials client
        return new List<Client>
        {
            new Client
            {
                ClientId = "client",
                AllowedGrantTypes = GrantTypes.ClientCredentials,

                ClientSecrets =
                {
                    new Secret("secret".Sha256())
                },
                AllowedScopes = { "api1" }
            },

            // resource owner password grant client
            new Client
            {
                ClientId = "ro.client",
                AllowedGrantTypes = GrantTypes.ResourceOwnerPassword,

                ClientSecrets =
                {
                    new Secret("secret".Sha256())
                },
                AllowedScopes = { "api1" }
            },

            // OpenID Connect hybrid flow and client credentials client (MVC)


        };
    }

, если вы не используете службу в памяти

Если вы получаете эту ошибку: не удается разрешить службу для типа 'IdentityServer4.Stores.IClientStore'

Зарегистрировать магазины и реализацию явно: (попробуйте)

    services.AddScoped<IUserStore<User>, UserService>();
    services.AddScoped<IClientStore, ClientService>();
    services.AddScoped<IScopeStore, ScopeService>();
    services.AddScoped<IPersistedGrantStore, GrantService>();
0 голосов
/ 29 июня 2018

Если вы используете интерфейс быстрого запуска, вы должны использовать руководство, здесь:

https://github.com/IdentityServer/IdentityServer4.Quickstart.UI

Цитировать эту страницу:

Далее необходимо настроить обработчики аутентификации:

public class Startup
{
    public void ConfigureServices(IServiceCollection services)
    {
        services.AddMvc();

        // some details omitted
        services.AddIdentityServer();

        services.AddAuthentication()
        ...  

Вам не хватает:

services.AddIdentityServer()
    .AddInMemoryCaching()
    .AddClientStore<InMemoryClientStore>()
    .AddResourceStore<InMemoryResourcesStore>(); // <-- Add this

В результате ни одна из служб сервера идентификации не регистрируется в контейнере внедрения зависимостей, поэтому вы видите эту ошибку.

Похоже, учебная документация, на которую вы ссылаетесь, устарела.

-

Вот полный набор шагов, которые необходимо выполнить:

  • dotnet new sln -n HelloID4
  • dotnet new mvc -n HelloID4
  • dotnet sln add HelloID4 / HelloID4.csproj
  • cd HelloID4
  • git clone --depth 1 https://github.com/IdentityServer/IdentityServer4.Quickstart.UI
  • cp -r IdentityServer4.Quickstart.UI / *.
  • dotnet добавить пакет IdentityServer4
  • rm -r Контроллеры /
  • dotnet watch run

Теперь измените ваш Startup.cs, чтобы он выглядел так:

// This method gets called by the runtime. Use this method to add services to the container.
public void ConfigureServices(IServiceCollection services)
{
    services.Configure<CookiePolicyOptions>(options =>
    {
        // This lambda determines whether user consent for non-essential cookies is needed for a given request.
        options.CheckConsentNeeded = context => true;
        options.MinimumSameSitePolicy = SameSiteMode.None;
    }); services.AddMvc().SetCompatibilityVersion(CompatibilityVersion.Version_2_1);

    services.AddIdentityServer()
        .AddInMemoryCaching()
        .AddClientStore<InMemoryClientStore>()
        .AddResourceStore<InMemoryResourcesStore>();
}
...