7

我想知道是否有一种方法可以编写一个函数来“通过”一个 IAsyncEnumerable ......也就是说,该函数将调用另一个 IAsyncEnumerable 函数并产生所有结果而无需编写 aforeach来执行它?

我发现自己经常编写这种 Code Pattern。这是一个例子:

async IAsyncEnumerable<string> MyStringEnumerator();

async IAsyncEnumerable<string> MyFunction()
{
   // ...do some code...

   // Return all elements of the whole stream from the enumerator
   await foreach(var s in MyStringEnumerator())
   {
      yield return s;
   }
}

无论出于何种原因(由于分层设计),我的函数MyFunction都想要调用MyStringEnumerator,但随后无需干预即可产生所有内容。我必须继续编写这些foreach循环才能做到这一点。如果是,IEnumerable我会退回IEnumerable. 如果它是 C++,我可以编写一个宏来完成它。

什么是最佳做法?

4

2 回答 2

8

如果它是 IEnumerable,我将返回 IEnumerable。

好吧,你可以做同样的事情IAsyncEnumerable(注意async已删除):

IAsyncEnumerable<string> MyFunction()
{
 // ...do some code...

 // Return all elements of the whole stream from the enumerator
 return MyStringEnumerator();
}

然而,这里有一个重要的语义考虑。调用枚举器方法时,...do some code...立即执行,而不是在枚举器被枚举时。

// (calling code)
var enumerator = MyFunction(); // `...do some code...` is executed here
...
await foreach (var s in enumerator) // it's not executed here when getting the first `s`
  ...

这对于同步和异步可枚举都是正确的。

如果你想...do some code...在枚举器被枚举的时候被执行,那么你需要使用foreach/yield循环来获取延迟执行的语义:

async IAsyncEnumerable<string> MyFunction()
{
 // ...do some code...

 // Return all elements of the whole stream from the enumerator
 await foreach(var s in MyStringEnumerator())
   yield return s;
}

如果您还想要具有同步枚举的延迟执行语义,您将不得不在同步世界中使用相同的模式:

IEnumerable<string> ImmediateExecution()
{
 // ...do some code...

 // Return all elements of the whole stream from the enumerator
 return MyStringEnumerator();
}

IEnumerable<string> DeferredExecution()
{
 // ...do some code...

 // Return all elements of the whole stream from the enumerator
 foreach(var s in MyStringEnumerator())
   yield return s;
}
于 2020-01-23T14:04:26.093 回答
2

从调用方法返回Task<IAsyncEnumerable<Obj>>似乎有效

async IAsyncEnumerable<string> MyStringEnumerator();

async Task<IAsyncEnumerable<string>> MyFunction()
{
    await Something();

    return MyStringEnumerator();
}

然后您需要等待 MyFunction()。所以在异步 foreach 中使用将是

await foreach (string s in await MyFunction()) {}
于 2020-03-05T09:48:33.813 回答