如何在实际迭代发生之前验证 IAsyncEnumerable 返回方法的参数?

How to validate arguments for IAsyncEnumerable returning method before actual iteration takes place?

我有一个简单的场景,我有一个 class,方法如下:

public async IAsyncEnumerable<Entity> GetEntities(IQueryOptions options){
  if(!validator.ValidateQuery(options)) { throw new ArgumentException(nameof(options));}

  var data = dataSource.ReadEntitiesAsync(options);

  await foreach (var entity in data) { yield return await converter.ConvertAsync(entity);}
}

是否可以在 GetEntities() 方法调用时恰好抛出 ArgumentException,而不是像此处那样在迭代的第一步之后抛出:

await foreach(var e in GetEntities(options)) { // some code here }

我问是因为当我想 return IAsyncEnumerable 到我的 API 控制器时,异常实际上是在框架代码中抛出的。我没有机会抓住它,return 一个 HTTP 404 BAD REQUEST 代码。当然我可以拦截请求管道中的异常,但有时我想根据它们来自的抽象层将它们包装在其他异常中。

把它分成两个函数。 Here 的一个例子:

using System;
using System.Threading.Tasks;
using System.Collections.Generic;
                    
public class Program
{
    public static async Task Main()
    {
        var enumeration = AsyncEnumeration(-1);
        await foreach(int x in enumeration)
        {
            Console.WriteLine(x);
        }
    }
    
    public static IAsyncEnumerable<int> AsyncEnumeration(int count)
    {
        if (count < 1)
            throw new ArgumentOutOfRangeException();
        
        return AsyncEnumerationCore(count);
    }
    
    private static async IAsyncEnumerable<int> AsyncEnumerationCore(int count)
    {
        for (int i = 0; i < count; i++)
        {
            yield return i;
            await Task.Delay(1);
        }
    }
}