Timers are inaccurate. By default their accuracy is around 15 ms. Anything lower than that will trigger in 15ms interval. Refer related answer.
Given that you have 1ms timer and 10ms timer; both are roughly equal so you get inconsistent results there.
The code you wrapped in Task.Run
and claims to be working is just a coincidence. When I tried several times, results are inconsistent. It fails sometimes for the same reason mentioned.
You're better off increasing the timeout or just pass in a already completed task.
For example following test should consistently pass. Remember that your test should be consistent not brittle.
[Test]
public async Task AwaitWithTimeout_Calls_SuccessDelegate_On_Success()
{
var taskToAwait = Task.FromResult(0);
var successCalled = false;
await TaskHelper.AwaitWithTimeout(taskToAwait, 10, () => successCalled = true, ()=>{ });
Assert.IsTrue(successCalled);
}
For never ending task use TaskCompletionSource
and don't set its result.
[Test]
public async Task AwaitWithTimeout_Calls_ErrorDelegate_On_NeverEndingTask()
{
var taskToAwait = new TaskCompletionSource<object>().Task;
var errorCalled = false;
await TaskHelper.AwaitWithTimeout(taskToAwait, 10, () => { }, ()=> errorCalled = true);
Assert.IsTrue(errorCalled);
}
Also I recommend you to avoid using null
. You can just pass the empty delegate as a parameter. Then you don't want to have null checks scattered all over your codebase.
I'd write the helper method as:
public static async Task AwaitWithTimeout(this Task task, int timeout, Action success, Action error)
{
if (await Task.WhenAny(task, Task.Delay(timeout)) == task)
{
success();
}
else
{
error();
}
}
Note that above method is an extension method; so you can call it with task instance.
await taskToAwait.AwaitWithTimeout(10, () => { }, ()=> errorCalled = true);//No nulls, just empty delegate
与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…