在身份验证期间使用 ASP.NET WebAPI 进行Thread.CurrentPrincipal
设置,以便控制器以后可以使用该ApiController.User
属性。
如果该身份验证步骤变得异步(以咨询另一个系统),则任何突变CurrentPrincipal
都会丢失(当调用者await
恢复同步上下文时)。
这是一个非常简化的示例(在实际代码中,身份验证发生在操作过滤器中):
using System.Diagnostics;
using System.Security.Principal;
using System.Threading;
using System.Threading.Tasks;
public class ExampleAsyncController : System.Web.Http.ApiController
{
public async Task GetAsync()
{
await AuthenticateAsync();
// The await above saved/restored the current synchronization
// context, thus undoing the assignment in AuthenticateAsync().
Debug.Assert(User is GenericPrincipal);
}
private static async Task AuthenticateAsync()
{
// Save the current HttpContext because it's null after await.
var currentHttpContext = System.Web.HttpContext.Current;
// Asynchronously determine identity.
await Task.Delay(1000);
var identity = new GenericIdentity("<name>");
var roles = new string[] { };
Thread.CurrentPrincipal = new GenericPrincipal(identity, roles);
currentHttpContext.User = Thread.CurrentPrincipal;
}
}
您如何Thread.CurrentPrincipal
在异步函数中进行设置,以使调用者await
在恢复同步上下文时不会丢弃该突变?