一些 API,如 WebClient,使用基于事件的异步模式。虽然这看起来很简单,并且可能在松散耦合的应用程序中运行良好(例如 UI 中的 BackgroundWorker),但它并不能很好地链接在一起。
例如,这是一个多线程程序,因此异步工作不会阻塞。(想象一下,这是在一个服务器应用程序中调用数百次——你不想阻塞你的 ThreadPool 线程。)我们得到 3 个局部变量(“状态”),然后进行 2 个异步调用,结果是首先馈入第二个请求(因此它们不能并行)。状态也可能发生变异(易于添加)。
使用 WebClient,事情最终会像下面这样(或者你最终创建了一堆对象来充当闭包):
using System;
using System.Net;
class Program
{
static void onEx(Exception ex) {
Console.WriteLine(ex.ToString());
}
static void Main() {
var url1 = new Uri(Console.ReadLine());
var url2 = new Uri(Console.ReadLine());
var someData = Console.ReadLine();
var webThingy = new WebClient();
DownloadDataCompletedEventHandler first = null;
webThingy.DownloadDataCompleted += first = (o, res1) => {
if (res1.Error != null) {
onEx(res1.Error);
return;
}
webThingy.DownloadDataCompleted -= first;
webThingy.DownloadDataCompleted += (o2, res2) => {
if (res2.Error != null) {
onEx(res2.Error);
return;
}
try {
Console.WriteLine(someData + res2.Result);
} catch (Exception ex) { onEx(ex); }
};
try {
webThingy.DownloadDataAsync(new Uri(url2.ToString() + "?data=" + res1.Result));
} catch (Exception ex) { onEx(ex); }
};
try {
webThingy.DownloadDataAsync(url1);
} catch (Exception ex) { onEx(ex); }
Console.WriteLine("Keeping process alive");
Console.ReadLine();
}
}
有没有一种通用的方法来重构这种基于事件的异步模式?(即不必为每个这样的 API 编写详细的扩展方法?) BeginXXX 和 EndXXX 使它变得容易,但这种事件方式似乎没有提供任何方式。