我有一个我想重复使用的身份验证项目。
我有一个名为authentication的AspNetCore Identity项目,旨在成为可重用的身份验证项目。如果您查看了AspNetCore Identity实现,您将看到一个名为UserManager的类型,其中应用程序用户是您将用户的实现存储在AspNetUsers数据库表中的类。
public class ApplicationUser : IdentityUser
{
}
我遇到的问题是这个隔离的身份验证项目中有一个名为AccountController的控制器,它包含所有登录/注销,注册和其他相关的帐户操作。我希望将应用程序用户从这个项目的课程中抽象出来,这样我就可以根据项目的需要为多个解决方案进行更改。
身份验证项目有一个启动类,它从正在使用它的项目中启动如下:
authenticationStartUp.ConfigureServices<ApplicationUser, MyDatabase>
(services, Configuration);
如您所见,订阅项目添加了自己的ApplicationUser实现。接下来是在services.AddIdentity调用中引用TApplicationUser的标识配置。
public void ConfigureServices<TApplicationUser, TContext>
(IServiceCollection services, IConfigurationRoot Configuration)
where TApplicationUser : IdentityUser
where TContext : DbContext
{
services.AddIdentity<TApplicationUser, IdentityRole>()
.AddEntityFrameworkStores<TContext>()
.AddDefaultTokenProviders();
不幸的是,现在这在使用注入服务的AccountController中出现故障。如何将TApplicationUser添加到控制器中。
public class AccountController : Controller
{
private readonly UserManager<TApplicationUser> _userManager;
public AccountController(UserManager<TApplicationUser> userManager)
{
_userManager = userManager;
}
}
由于没有TApplicationUser,这显然已被打破。此外,如果我按如下方式添加TApplicationUser,则控制器不再解析且没有任何反应。
public class AccountController<TApplicationUser> : Controller
where TApplicationUser : IdentityUser
{
private readonly UserManager<TApplicationUser> _userManager;
public AccountController(UserManager<TApplicationUser> userManager)
{
_userManager = userManager;
}
}
是否仍然可以使用包含的类型参数来解析应用程序控制器?
而且,我发现了另一个问题,即使我在基类中添加了type参数,我将如何在使用TApplicationUser的视图中添加type参数。这是一个例子
嵌入在身份验证项目中的视图
@* TApplicationUser obviously doesn't resolve *@
@inject SignInManager<TApplicationUser> SignInManager
@{
var loginProviders = SignInManager.GetExternalAuthenticationSchemes().ToList();
if (loginProviders.Count == 0)
{
<div>
<p>
There are no external authentication services configured. See <a href="https://go.microsoft.com/fwlink/?LinkID=532715">this article</a>
for details on setting up this ASP.NET application to support logging in via external services.
</p>
</div>
}
else
{
<form asp-controller="Account" asp-action="ExternalLogin" asp-route-returnurl="@ViewData["ReturnUrl"]" method="post" class="form-horizontal">
<div>
<p>
@foreach (var provider in loginProviders)
{
<button type="submit" class="btn btn-default" name="provider" value="@provider.AuthenticationScheme" title="Log in using your @provider.DisplayName account">@provider.AuthenticationScheme</button>
}
</p>
</div>
</form>
}
}
答案 0 :(得分:2)
将通用控制器作为可重用项目中的基本控制器
public abstract class AccountControllerBase<TApplicationUser> : Controller
where TApplicationUser : IdentityUser {
protected readonly UserManager<TApplicationUser> _userManager;
protected AccountController(UserManager<TApplicationUser> userManager) {
_userManager = userManager;
}
}
using类/项目将从基本控制器派生并定义泛型参数
public class AccountController : AccountControllerBase<ApplicationUser> {
public AccountController(UserManager<ApplicationUser> userManager)
: base(userManager) { }
}