在我的ASP.Net Core 2项目中,我有一个我想插入的自定义AuthenticationHandler
中间件。
public class BasicAuthenticationMiddleware : AuthenticationHandler<AuthenticationSchemeOptions>
{
public BasicAuthenticationMiddleware(IOptionsMonitor<AuthenticationSchemeOptions> options,
ILoggerFactory logger, UrlEncoder encoder, ISystemClock clock)
: base(options, logger, encoder, clock)
{
}
protected override Task<AuthenticateResult> HandleAuthenticateAsync()
{
var principal = new GenericPrincipal(new GenericIdentity("User"), null);
var ticket = new AuthenticationTicket(principal, new AuthenticationProperties(), "BasicAuth");
return Task.FromResult(AuthenticateResult.Success(ticket));
}
}
在我的创业公司中,我有以下内容:
public void ConfigureServices(IServiceCollection services)
{
services.AddMvc();
services.AddAuthentication(options =>
{
options.DefaultAuthenticateScheme = "BasicAuth";
options.DefaultChallengeScheme = "BasicAuth";
options.AddScheme("BasicAuth", x => {
x.DisplayName = "BasicAuthenticationMiddleware";
x.HandlerType = typeof(BasicAuthenticationMiddleware);
});
});
}
最后我的视图控制器:
[Route("api/[controller]")]
public class ValuesController : Controller
{
// GET api/values/Works
[HttpGet]
[Route("Works")]
[Authorize(ActiveAuthenticationSchemes = "BasicAuth")]
public string Works()
{
return "works";
}
// GET api/values/DoesNotWork
[HttpGet]
[Route("DoesNotWork")]
[Authorize]
public string DoesNotWork()
{
return "does not work";
}
}
当我将HandleAuthenticateAsync
指定给我的方案名称时,将调用我的身份验证器ActiveAuthenticationSchemes
,否则它将不会。我有一个演示应用程序显示此处的行为:https://github.com/JohnPAguirre/AuthenticationSchemaProblem
我希望我的BasicAuthenticationMiddleware
使用我的演示逻辑记录所有人。如何为所有请求将ActiveAuthenticationSchemes
默认为“BasicAuth”?
任何人都对我可能遗失的内容有任何想法?
答案 0 :(得分:4)
我设法设置了默认的身份验证方案通过将我想要的方案设置为DefaultPolicy的唯一身份验证方案进行授权。在配置中使用以下内容。我在conda info sphinx
和sphinx 1.6.3 py36_0
-------------------
file name : sphinx-1.6.3-py36_0.tar.bz2
name : sphinx
version : 1.6.3
build string: py36_0
...
之间使用它,它运行正常。
AddMvc
答案 1 :(得分:3)
我认为您不能设置默认值,但您还有其他选择。
创建您自己的自定义授权属性:
public class BasicAuthAuthorizeAttribute : AuthorizeAttribute
{
public BasicAuthAuthorizeAttribute()
{
ActiveAuthenticationSchemes = "BasicAuth";
}
}
并像以前一样在你的行动中使用它:
[BasicAuthAuthorize]
public string SomeAction()
{
//snip
}
将Authorize
属性添加到您的所有操作中,并仅在需要时覆盖它。要做到这一点,在你的``方法:
public void ConfigureServices(IServiceCollection services)
{
services.AddMvc(options =>
{
options.Filters.Add(new AuthorizeAttribute
{
ActiveAuthenticationSchemes = "BasicAuth"
});
});
//snip
}
并覆盖它:
[AllowAnonymous]
public string UnsecureAction()
{
//snip
}
答案 2 :(得分:0)
我使用了类似的代码,它完美无缺。我看到的主要区别是我使用AddScheme
函数链接AddAuthentication
而不是它的配置。
services.AddAuthentication(options =>
{
options.DefaultAuthenticateScheme = "BasicAuth";
options.DefaultChallengeScheme = "BasicAuth";
})
AddScheme<AuthenticationSchemeOptions, BasicAuthenticationMiddleware>
("BasicAuth", "BasicAuthenticationMiddleware", x => { });
其余代码似乎很好。