我正在使用 Windows Phone 8 中的联系人对象,从异步方法中调用 SearchAysnc。SearchAsync 要求处理程序订阅 SearchCompleted 事件,并通过事件参数之一传递其结果,异步方法需要它来完成其工作(包括调用其他异步方法)。
您如何等待事件的异步完成,即事件模式和异步/等待模式之间的桥梁?
我能想出的唯一解决方案是使用 EventWaitHandle,在等待的任务中等待它,如下所示:
using System.Threading;
async Task<string> MyMethod()
{
string result = null;
Contacts cons = new Contacts();
EventWaitHandle handle = new EventWaitHandle(false,EventResetMode.ManualReset);
cons.SearchCompleted += (sender,args) =>
{
// I do all my work on the results of the contact search in this handler
result = SomeOtherSynchronousOperation(args.Results);
// When I'm done, I release the thread which was waiting for the results
handle.Set();
};
cons.SearchAsync(String.Empty, FilterKind.None, "My Contact");
// I can't block this thread (or can I?)
// So, I launch a task whose sole job is to wait
await Task.Run(()=>
{
// This gets released by the Contacts.SearchCompleted handler when its work is finished,
// so that MyMethod can finish up and deliver its result
handle.WaitOne();
}
await DoOtherStuffWithResult(result);
return result;
}
我的实际解决方案(不完全如上所示)确实有效。尽管上面的代码并不能准确地代表实现的解决方案(可能是一两个编译问题),但它应该有助于表达概念并说明我的问题的重点。
这让我想知道这是否是等待事件处理程序执行的唯一方法,或者接近最佳实践方法的任何地方,如果不是,那么执行此处所需操作的“最佳实践”是什么。
Windows 同步原语是否仍然在 async/await 世界中占有一席之地?
(根据提供的答案)
这是正确的吗?
using Microsoft.Phone.UserData;
string ExtractWhatIWantFromResults(IEnumerable<Contact> results)
{
string result;
// Do my processing on the list of contacts, stuff the results into result
return string;
}
async Task<string> MyMethod()
{
Contacts cons = new Contacts();
TaskCompletionSource<string> tcs = new TaskCompletionSource<string>();
cons.SearchCompleted += (sender,args) =>
{
tcs.TrySetResult(ExtractWhatIWantFromResults(args.Results));
};
cons.SearchAsync(String.Empty, FilterKind.None, "My Contact");
return tcs.Task;
}