我正在尝试实现具有以下要求的 MVC4 Web 应用程序:
(a) 它仅向经过身份验证的用户提供服务。至于身份验证,我想使用简单的成员资格,因为它是 MVC 的最新身份验证技术,给我定义自己的数据库表的优势,提供开箱即用的 OAuth 支持,并且很容易与 MVC 和WebAPI。
(b) 它通过 WebApi 为移动/JS 客户端公开了一些核心功能,这些功能应通过基本 HTTP 身份验证 (+SSL) 进行身份验证。通常,我会让 JS 客户端使用 jQuery AJAX 调用 WebApi 控制器,并为不同的用户角色装饰 Authorize 属性。
(c) 理想情况下,在混合环境中,我希望避免双重身份验证:即,如果用户已经通过浏览器进行身份验证,并且正在访问暗示 JS 调用 WebApi 控制器操作的页面,则 (a) 机制应该是足够的。
因此,虽然 (a) 包含在默认 MVC 模板中,但 (b) 需要基本的 HTTP 身份验证,而无需浏览器的中介。为此,我应该创建一个 DelegatingHandler,就像我在这篇文章中找到的那样:http ://www.piotrwalat.net/basic-http-authentication-in-asp-net-web-api-using-message-handlers 。问题是它的实现需要某种方式从接收到的用户名和密码中检索 IPrincipal,而 WebSecurity 类没有为此提供任何方法(除了登录,但我会避免仅仅为了授权而更改登录的用户,也是因为潜在的“混合”环境,如 (c))。所以看来我唯一的选择就是放弃简单的会员资格。有没有人有更好的建议?以下是引用帖子中的相关(稍作修改)代码:
public interface IPrincipalProvider
{
IPrincipal GetPrincipal(string username, string password);
}
public sealed class Credentials
{
public string Username { get; set; }
public string Password { get; set; }
}
public class BasicAuthMessageHandler : DelegatingHandler
{
private const string BasicAuthResponseHeader = "WWW-Authenticate";
private const string BasicAuthResponseHeaderValue = "Basic";
public IPrincipalProvider PrincipalProvider { get; private set; }
public BasicAuthMessageHandler(IPrincipalProvider provider)
{
if (provider == null) throw new ArgumentNullException("provider");
PrincipalProvider = provider;
}
private static Credentials ParseAuthorizationHeader(string sHeader)
{
string[] credentials = Encoding.ASCII.GetString(
Convert.FromBase64String(sHeader)).Split(new[] { ':' });
if (credentials.Length != 2 || string.IsNullOrEmpty(credentials[0]) ||
String.IsNullOrEmpty(credentials[1])) return null;
return new Credentials
{
Username = credentials[0],
Password = credentials[1],
};
}
protected override System.Threading.Tasks.Task<HttpResponseMessage> SendAsync(
HttpRequestMessage request,
CancellationToken cancellationToken)
{
AuthenticationHeaderValue authValue = request.Headers.Authorization;
if (authValue != null && !String.IsNullOrWhiteSpace(authValue.Parameter))
{
Credentials parsedCredentials = ParseAuthorizationHeader(authValue.Parameter);
if (parsedCredentials != null)
{
Thread.CurrentPrincipal = PrincipalProvider
.GetPrincipal(parsedCredentials.Username, parsedCredentials.Password);
}
}
return base.SendAsync(request, cancellationToken)
.ContinueWith(task =>
{
var response = task.Result;
if (response.StatusCode == HttpStatusCode.Unauthorized
&& !response.Headers.Contains(BasicAuthResponseHeader))
{
response.Headers.Add(BasicAuthResponseHeader,
BasicAuthResponseHeaderValue);
}
return response;
});
}
}