我正在编写一个WinForms应用程序,该应用程序将数据传输到USB HID类设备。我的应用程序使用了出色的Generic HID库v6.0,可以在这里找到。简而言之,当我需要将数据写入设备时,这就是被调用的代码:
private async void RequestToSendOutputReport(List<byte[]> byteArrays) { foreach (byte[] b in byteArrays) { while (condition) { // we'll typically execute this code many times until the condition is no longer met Task t = SendOutputReportViaInterruptTransfer(); await t; } // read some data from device; we need to wait for this to return RequestToGetInputReport(); } }
当我的代码退出while循环时,我需要从设备读取一些数据。但是,设备无法立即响应,因此我需要等待此调用返回才能继续。由于当前存在,因此RequestToGetInputReport()的声明如下:
private async void RequestToGetInputReport() { // lots of code prior to this int bytesRead = await GetInputReportViaInterruptTransfer(); }
对于它的价值,GetInputReportViaInterruptTransfer()的声明如下所示:
internal async Task<int> GetInputReportViaInterruptTransfer()
不幸的是,我对.NET 4.5中新的异步/等待技术的工作不是很熟悉。我之前对await关键字做了一些阅读,给我的印象是对RequestToGetInputReport()内的GetInputReportViaInterruptTransfer()的调用将等待(也许会吗?),但似乎不像对RequestToGetInputReport()的调用本身正在等待,因为我似乎几乎立即重新进入了while循环?
谁能澄清我所看到的行为?
避免async void。让您的方法返回Task而不是void。然后,您可以使用await它们。
async void
Task
void
await
像这样:
private async Task RequestToSendOutputReport(List<byte[]> byteArrays) { foreach (byte[] b in byteArrays) { while (condition) { // we'll typically execute this code many times until the condition is no longer met Task t = SendOutputReportViaInterruptTransfer(); await t; } // read some data from device; we need to wait for this to return await RequestToGetInputReport(); } } private async Task RequestToGetInputReport() { // lots of code prior to this int bytesRead = await GetInputReportViaInterruptTransfer(); }