我有以下功能,我想将其转换为异步/非锁定功能。
以下是当前形式的函数:
private static void BlockForResponse(ref bool localFlag)
{
int count = 0;
while (!localFlag)
{
Thread.Sleep(200);
if (count++ > 50) // 200 * 50 = 10 seconds
{
//timeout
throw new TimeOutException();
}
}
}
这是我的尝试:
private static async Task BlockForResponse(ref bool localFlag)
{
int count = 0;
while (!localFlag)
{
await Task.Delay(200);
if (count++ > 50) // 200 * 50 = 10 seconds
{
//timeout
throw new TimeOutException();
}
}
}
然而,我得到一个编译错误,说异步函数不能ref或out参数。然而,这是该功能的核心功能。
是否可以将其转换为异步函数?
代码说明:
我必须承认这是一段奇怪的代码,让我试着解释它试图做的事情:
所以我需要使用第三方dll。哪个为我提供服务,我遗憾地无法控制这个dll。
它的工作方式, 我在dll中调用一个命令,为它提供一个回调函数,一旦完成任务就调用它。
一旦我得到了那个电话的结果,我只能转到我想要做的事情。因此需要这个功能。
我调用了dll,为它提供了一个回调函数:
private bool _commandFlag = false;
private bool _commandResponse;
public async Task ExecuteCommand(string userId, string deviceId)
{
var link = await LinkProviderAsync.GetDeviceLinkAsync(deviceId, userId);
try
{
//execute command
if (link.Command(Commands.ConnectToDevice, CallBackFunction))
{
BlockForResponse(ref _commandFlag);
return; //Received a response
}
else
{ //Timeout Error
throw new ConnectionErrorException();
}
}
catch (Exception e)
{
throw e;
}
}
private void CallBackFunction(bool result)
{
_commandResponse = result;
_commandFlag = true;
}
答案 0 :(得分:4)
它的工作方式,我在dll中调用一个命令,为它提供一个回调函数,一旦完成任务就调用它。
然后您真正想要的是使用TaskCompletionSource<T>
创建TAP方法,similar to this。
public static Task<bool> CommandAsync(this Link link, Commands command)
{
var tcs = new TaskCompletionSource<bool>();
if (!link.Command(command, result => tcs.TrySetResult(result)))
tcs.TrySetException(new ConnectionErrorException());
return tcs.Task;
}
使用此扩展方法,您的调用代码更清晰:
public async Task ExecuteCommand(string userId, string deviceId)
{
var link = await LinkProviderAsync.GetDeviceLinkAsync(deviceId, userId);
var commandResponse = await link.CommandAsync(Commands.ConnectToDevice);
}
答案 1 :(得分:1)
组合async
和ref
的问题是,即使在方法返回后,async
函数内的代码也可以运行。所以,如果你做了类似的事情:
async Task BlockForResponseAsync(ref bool localFlag)
{
while (!localFlag)
{
...
}
}
void SomeMethod()
{
bool flag = false;
BlockForResponseAsync(ref flag); // note: no await here
}
然后局部变量flag
将在SomeMethod()
返回后停止存在,但BlockForResponseAsync()
可能仍在执行,该ref
具有对该变量的引用。这就是上面代码无法编译的原因。
基本上,你需要的是一个闭包,而在C#中,async Task BlockForResponseAsync(Func<bool> localFlagFunc)
{
while (!localFlagFunc())
{
...
}
}
不会创建闭包,但是lambda会这样做。这意味着您可以像这样编写方法:
bool flag = false;
var task = BlockForResponseAsync(() => flag);
// other code here
flag = true;
await task; // to make sure BlockForResponseAsync() completed successfully
并像这样使用它:
ref
这种方式也表明你的意图更好。 Func<T>
通常意味着:“给我一个有一些价值的变量,我会改变那个价值”,这不是你想要的。另一方面,{{1}}意味着“给我一些我可以使用的东西,可以多次检索一些价值”。