I currently have a web API that
- fetches a row of data using
FromSqlRaw(...).ToListAsync()
within a repository - returns this data as
Ok(data.ToArray())
asTask<ActionResult<IEnumerable<MyClass>>>
through a controller.
Now I am wondering whether I should or can use IAsyncEnumerable as a return type. The idea was to use this in the repository and the controller. However, in this (now decrepit) thread it states it should not be used. the proposed solution here would be something like:
FromSqlRaw(...).AsNoTracking().AsAsyncEnumerable()
As for the Controller I want keep the response wrapped with ActionResult
to explicitly set the return code. However, that currently doesn't seem to work.
Should I just apply the solution for the repository and consume the result as a List in my controller or just keep it as it is?
The
IAsyncEnumerable
gives you an interface for pull-based asynchronous data retrieval. In other words this API represents an iterator where the next item is fetched asynchronously.This means that you are receiving the data in several rounds and each in an asynchronous fashion.
Prior
IAsyncEnumerable
you could useIEnumerable<Task<T>>
, which represents a bunch of asynchronous operations with return typeT
.Whereas
Task<IEnumerable<T>>
represents a single asynchronous operation with a return typeIEnumerable<T>
.Let's apply these knowledge to a WebAPI:
Task<ActionResult<T>>
andActionResult<T>
. It is an implementation detail from users` perspective.This means that the consumer of your API can't take advantage of
IAsyncEnumerable
if it is exposed as an action result type.