Aspnet Core Identity перенаправляет на HTTP даже UseHttpsRedirection, определенный при запуске - PullRequest
0 голосов
/ 15 февраля 2019

Поместив леса в зону идентификации в Aspnet Core 2.1.с этим классом запуска:

    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)
    {
        // AppSettings.json
        //
        services.Configure<AppSettings>(Configuration.GetSection("ProvidersSettings"));

        // IdentityUser settings
        //
        services.Configure<IdentityOptions>(options =>
        {
            // Lockout settings.
            options.Lockout.DefaultLockoutTimeSpan = TimeSpan.FromMinutes(5);
            options.Lockout.MaxFailedAccessAttempts = 5;
            options.Lockout.AllowedForNewUsers = true;

            // User settings.
            options.User.AllowedUserNameCharacters =
            "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-._@+";
            options.User.RequireUniqueEmail = true;
        });

        services.Configure<CookiePolicyOptions>(options =>
        {
            // This lambda determines whether user consent for non-essential cookies is needed for a given request.
            options.CheckConsentNeeded = context => false;
            options.MinimumSameSitePolicy = SameSiteMode.None;
        });

        services.AddDbContext<ApplicationDbContext>(options =>
            options.UseSqlServer(
                Configuration.GetConnectionString("DefaultConnection")));

        services.AddDefaultIdentity<IdentityUser>()
            .AddRoles<IdentityRole>()
            .AddEntityFrameworkStores<ApplicationDbContext>();

        services.AddMvc(options =>
        {
            // All MvcControllers are hereby "Authorize". Use AllowAnonymous to give anon access
            //
            var policy = new AuthorizationPolicyBuilder().RequireAuthenticatedUser().Build();

            options.Filters.Add(new AuthorizeFilter(policy));
            options.Filters.Add(new AutoValidateAntiforgeryTokenAttribute());
        });

        // IdentityModel
        //
        services.AddSingleton<IDiscoveryCache>(r =>
        {
            var url = Configuration["ProvidersSettings:IdentityServerEndpoint"];

            var factory = r.GetRequiredService<IHttpClientFactory>();
            return new DiscoveryCache(url, () => factory.CreateClient());
        });

        // HttpContext injection
        //
        services.AddHttpContextAccessor();

    }

    // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
    public void Configure(IApplicationBuilder app, IHostingEnvironment env, UserManager<IdentityUser> userManager, ApplicationDbContext dbContext)
    {

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

        app.UseHttpsRedirection();
        app.UseStaticFiles();
        app.UseCookiePolicy();

        app.UseAuthentication();

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

Работает в разработке.Но в производстве он не остается на https .Он перенаправляет на http и этот путь:

/ Identity / Account / Login? ReturnUrl =% 2F

На локальном хосте он работает правильно с обоимиIIS express и «программа».

Любые идеи наиболее полезны.Спасибо.

...