Why async functions are called twice?

后端 未结 3 682
悲哀的现实
悲哀的现实 2021-01-19 00:29

I\'m using Threading timer to do some periodic job:

private static async void TimerCallback(object state)
{
        if (Interlocked.CompareExchange(ref curre         


        
3条回答
  •  有刺的猬
    2021-01-19 00:54

    This:

    var tasksRead = Enumerable.Range(3, 35).Select(i => ReadSensorsAsync(i));
    

    creates a lazily evaluated IEnumerable which maps numbers to method invocation results. ReadSensorsAsync is not invoked here, it will be invoked during evaluation.

    This IEnumerable is evaluated twice. Here:

    await Task.WhenAll(tasksRead);
    

    and here:

    // Here, another lazy IEnumerable is created based on tasksRead.
    var tasksRecord = tasksRead.Where(...).Select(...);  
    await Task.WhenAll(tasksRecord);  // Here, it is evaluated.
    

    Thus, ReadSensorsAsync is invoked twice.


    As csharpfolk suggested in the comments, materializing the IEnumerable should fix this:

    var tasksRead = Enumerable.Range(3, 35).Select(i => ReadSensorsAsync(i)).ToList();
    

提交回复
热议问题