Как я могу получить исходный URL, с которого [Authorize] перенаправлен на страницу входа? - PullRequest
0 голосов
/ 30 января 2019

В моем методе конфигурации у меня есть следующее

...
app.UseStatusCodePagesWithRedirects("/home/login");
app.UseMvcWithDefaultRoute();

Когда я украшаю метод с помощью [Авторизовать] , я перенаправляюсь на / home / login .Однако я также хотел бы, чтобы пользователя отправили туда, откуда он пришел, и для этого мне нужно передать источник на страницу входа в систему следующим образом.

...
string origin = ???
app.UseStatusCodePagesWithRedirects("/home/login?origin=" + origin);
app.UseMvcWithDefaultRoute();

Возможнодля получения origin как-то есть или мой вызов UseStatusCodePagesWithRedirects плохо подходит?Как мне к нему подойти?

1 Ответ

0 голосов
/ 30 января 2019

сначала настройте класс запуска, как показано ниже

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)
    {
        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_2);

        //-----
        services.AddAuthentication(
            CookieAuthenticationDefaults.AuthenticationScheme
        ).AddCookie(CookieAuthenticationDefaults.AuthenticationScheme,
            options =>
            {
                options.LoginPath = "/Account/Login";
                options.LogoutPath = "/Account/Logout";

                // The ReturnUrlParameter determines the name of the query parameter 
                // which is appended by the handler
                // when during a Challenge. This is also the query string parameter   
                // looked for when a request arrives on the 
                // login path or logout path, in order to return to the original url  
                // after the action is performed.
                options.ReturnUrlParameter=origin;//the default value is returnUrl

            });
        services.AddAuthentication(options =>
        {
            options.DefaultScheme =CookieAuthenticationDefaults.AuthenticationScheme;
        });
        //----
    }

    // 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.UseStaticFiles();
        app.UseCookiePolicy();
        app.UseAuthentication();
        app.UseMvc(routes =>
        {
            routes.MapRoute(
                name: "default",
                template: "{controller=Home}/{action=Index}/{id?}");
        });
    }
}

AccountController

    public IActionResult Login(string origin)
    {
        //save original url
        ViewBag.Origin = origin; 
        return View();
    }

    //get the original url from hide input
    [HttpPost]
    public IActionResult Login(LoginViewModel model)
    {
        //if (login successfull)
        //{
            return Redirect(model.Origin);
        //}
        // else
        //{
            return View(model);
        //}
    }
...