异步在WebForms事件
本文关键字:事件 WebForms 异步 | 更新日期: 2023-09-27 18:05:37
我正在尝试使用新的ASP。在WebForms应用程序中使用. NET Identity 2.0身份验证系统,但是在允许用户保存数据源之前,我在验证用户时遇到了麻烦。
问题源于从数据源的OnUpdating
事件调用IIdentityValidator.ValidateAsync
。标记在功能上与默认的动态数据模板相同(除了添加了Async="true"
),后面的代码中有一些自定义。基本上,我手动为请求设置了MetaTable
(因为这个页面是我的一个动态数据路由的替代品,但我想保留支架属性的好处),并且添加了DetailsDataSource_Updating
事件。虽然下面的代码示例成功地将用户保存到我们的数据库中,但在返回到客户端之前通常会抛出以下错误:
"异步操作尚未完成时,异步模块或处理程序已完成。"
我花了相当多的时间试图让这个工作,但还没有找到一个解决方案,不锁定页面或抛出上述错误。我担心我完全误解了WebForms中的async/await,或者更糟的是,async/await只真正用于MVC之外的数据库查询/绑定。
public partial class Edit : System.Web.UI.Page
{
protected UserManager manager;
protected CustomMetaTable table;
protected void Page_Init(object sender, EventArgs e)
{
manager = UserManager.GetManager(Context.GetOwinContext());
table = Global.DefaultModel.GetTable(typeof(User)) as CustomMetaTable;
DynamicDataRouteHandler.SetRequestMetaTable(Context, table);
FormView1.SetMetaTable(table);
DetailsDataSource.EntityTypeFilter = table.EntityType.Name;
}
protected void Page_Load(object sender, EventArgs e)
{
Title = table.EntityName;
DetailsDataSource.Include = table.ForeignKeyColumnsNames;
}
protected void FormView1_ItemCommand(object sender, FormViewCommandEventArgs e)
{
if (e.CommandName == DataControlCommands.CancelCommandName)
{
Response.Redirect(table.ListActionPath);
}
}
protected void FormView1_ItemUpdated(object sender, FormViewUpdatedEventArgs e)
{
if (e.Exception == null || e.ExceptionHandled)
{
Response.Redirect(table.ListActionPath);
}
}
protected async void DetailsDataSource_Updating(object sender, Microsoft.AspNet.EntityDataSource.EntityDataSourceChangingEventArgs e)
{
IdentityResult result = await manager.UserValidator.ValidateAsync(e.Entity as User);
if (!result.Succeeded)
{
e.Cancel = true;
}
}
在使用同步Validate方法编写新的UserValidator的过程中,我在Identity程序集中发现了一个类,该类用于UserManager
和RoleManager
的所有同步包装器。我把这个类复制到我的项目中,它允许我同步地使用异步方法,只有少数例外(主要的例外似乎是通过在其他地方引用它之前将结果赋值给变量来避免的)。
internal static class AsyncHelper
{
private static readonly TaskFactory _myTaskFactory = new TaskFactory(
CancellationToken.None,
TaskCreationOptions.None,
TaskContinuationOptions.None,
TaskScheduler.Default);
public static TResult RunSync<TResult>(Func<Task<TResult>> func)
{
return _myTaskFactory.StartNew(func).Unwrap().GetAwaiter().GetResult();
}
public static void RunSync(Func<Task> func)
{
_myTaskFactory.StartNew(func).Unwrap().GetAwaiter().GetResult();
}
}
用法:
AsyncHelper.RunSync(() => manager.UserValidator.ValidateAsync(e.Entity as User));