Как установить личность без входа в систему? Нет пароля + нет базы данных - PullRequest
0 голосов
/ 21 января 2019

Я хотел бы дать людям возможность выбрать имя пользователя на моем сайте.Только для их текущей сессии, без логина, пароля и базы данных.

Я искал ответы в Интернете, но не могу найти реальные ответы.Может быть, я просто использовал неправильные термины.

Есть идеи, как этого добиться?

1 Ответ

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

Для установки текущей личности вы можете попробовать HttpContext.SignInAsync.

Выполните следующие действия:

  1. Контроллер

    public class HomeController : Controller
    {
        public IActionResult Index()
        {
            List<SelectListItem> select = new List<SelectListItem>
            {
                new SelectListItem("Tom","Tom"),
                new SelectListItem("Jack","Jack"),
                new SelectListItem("Vicky","Vicky")
            };
            ViewBag.Select = select;
            return View();
        }
        [HttpPost]
        public async Task<IActionResult> Login(string userName)
        {
            await HttpContext.SignOutAsync();
            var identity = new ClaimsIdentity();
            identity.AddClaim(new Claim(ClaimTypes.Name, userName));
            var principal = new ClaimsPrincipal(identity);
            await HttpContext.SignInAsync(principal);
            return RedirectToAction("Index");
        }
    }
    
  2. Просмотр

    @{
        ViewData["Title"] = "Home Page";
    }
    
    <div class="text-center">
        <h1 class="display-4">Welcome</h1>
        <p>Learn about <a href="https://docs.microsoft.com/aspnet/core">building Web apps with ASP.NET Core</a>.</p>
    </div>
    <div>
        Hi @User?.Identity?.Name;
    </div>
    <form asp-action="Login" method="post">
        <select name="userName" class="form-control" asp-items="@ViewBag.Select"></select>
        <input type="submit" value="Login" />
    </form>
    
  3. Сконфигурировать в Startup.cs для включения аутентификации

    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.AddAuthentication(CookieAuthenticationDefaults.AuthenticationScheme)
                    .AddCookie();
            services.AddMvc().SetCompatibilityVersion(CompatibilityVersion.Version_2_2);
        }
    
        // 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");
                // The default HSTS value is 30 days. You may want to change this for production scenarios, see https://aka.ms/aspnetcore-hsts.
                app.UseHsts();
            }
    
            app.UseHttpsRedirection();
            app.UseStaticFiles();
            app.UseCookiePolicy();
            app.UseAuthentication();
            app.UseMvc(routes =>
            {
                routes.MapRoute(
                    name: "default",
                    template: "{controller=Home}/{action=Index}/{id?}");
            });
        }
    }
    
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...