授权和身份验证非常新,所以也许我错过了一些重要的步骤......只需查看大量参考资料、指南和教程。
我可能需要在我的 WebApiConfig 中做些什么?
public static class WebApiConfig
{
public static void Register(HttpConfiguration config)
{
config.MapHttpAttributeRoutes();
config.Routes.MapHttpRoute(
name: "DefaultApi",
routeTemplate: "api/{controller}/{id}",
defaults: new { id = RouteParameter.Optional }
);
}
}
或者可能在我的 Global.asax 中:
public class WebApiApplication : System.Web.HttpApplication
{
private const string RootDocument = "/index.html";
protected void Application_Start()
{
GlobalConfiguration.Configure(WebApiConfig.Register);
}
protected void Application_BeginRequest(Object sender, EventArgs e)
{
// Stuff to redirect to index.html unless it's an api url
}
}
这是一个针对 .NET Framework 4.5.2 和 Angular 2 前端的 ASP.Net Web API 项目,我在前端没有手动操作,也许我需要这样做?我的本地存储、会话存储和 Cookie 在浏览器上都是空的。
我正在访问的 SQL Server 有一个非常简单的用户登录方法,它返回一个角色和 userId,我在这里的存储库中调用它:
public static DbUser Logon(AuthUser user)
{
var parameters = new List<SqlParameter>();
{
// Add parameters, get the DbUser (contains role and userId), and return the DbUser
}
}
登录前端是使用 Angular 2 构建的,并在提交到以下 API 方法时使用用户名和密码进行 HttpPost 调用,创建身份和主体,并设置线程和 HttpContext:
// POST api/<controller>
[HttpPost]
public TokenUser Post(AuthUser user)
{
var dbUser = DBAccess.Repository.User.Logon(user);
var identity = new ClaimsIdentity();
identity.AddClaim(new Claim(ClaimTypes.Name, "CwRole"));
identity.AddClaim(new Claim(ClaimTypes.Role, dbUser.AccessLevel));
identity.AddClaim(new Claim(ClaimTypes.UserData, dbUser.ID.ToString()));
var principal = new ClaimsPrincipal(identity);
Thread.CurrentPrincipal = principal;
if (HttpContext.Current != null)
HttpContext.Current.User = principal;
// Other stuff and a return statement =>
// Note I'm not actually doing anything manually with the token on the front end
// which may be why I'm not seeing it in the debugger's Resources tab...
}
当我单步执行该代码时,我可以清楚地看到 Thread.CurrentPrincipal 和 HttpContext.Current.User 都被填充,看起来很恰当。
但是如果我用 [Authorize] 属性装饰一个动作,无论是否登录,我都无法访问它。
// Works fine
public IEnumerable<ItemGroup> Get()
{
return DBAccess.Repository.Item.GetItemGroups();
}
// Responds with 401 (Unauthorized) no matter what
[Authorize]
public IEnumerable<RequestItem> Get()
{
return DBAccess.Repository.Item.GetRequestItems();
}
所以我创建了这些方法,在上述登录过程之后通过浏览器 url 访问它们并逐步执行,结果发现用户从未真正设置过(声明都是空的,等等......)
public class AuthController : ApiController
{
public bool Get()
{
// Stepping through, looks like User.Identity is not even set...
var authenticated = User.Identity.IsAuthenticated;
return authenticated;
}
public bool Get(string role)
{
// As a matter of fact, User doesn't have any claims or anything...
var user = User;
return user != null && user.IsInRole(role);
}
}
那么,在设置主体后,我缺少哪一步才能使主体可访问?我是否需要使用 WebApi 的内置“用户”方法以外的其他方法访问它,或者在我的配置中设置某些内容,或者在前端手动执行某些操作?