Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

IHttpActionResult vs async Task<IHttpActionResult>

Most Web API 2.0 methods I've seen return IHttpActionResult, which is defined as an interface that "defines a command that asynchronously creates a System.Net.Http.HttpResponseMessage".

I'm a little confused about what's going on when a method is returning async Task<IHttpActionResult>.

Why would you use one over the other? Or are these functionally identical - isn't IHttpActionResult already asynchronous?

like image 285
alex Avatar asked Mar 17 '15 13:03

alex


People also ask

What is async task IHttpActionResult?

Your action may return an IHttpActionResult which performs the action asynchronously when the framework calls its ExecuteAsync . But if you must first make some other async calls before creating and returning the result, then you're forced to change the signature to async Task<IHttpActionResult> . That's all it is.

When should I use IHttpActionResult?

Here are some advantages of using the IHttpActionResult interface: Simplifies unit testing your controllers. Moves common logic for creating HTTP responses into separate classes. Makes the intent of the controller action clearer, by hiding the low-level details of constructing the response.

What is the use of IHttpActionResult in Web API?

The IHttpActionResult interface is contained in the System. Web. Http namespace and creates an instance of HttpResponseMessage asynchronously. The IHttpActionResult comprises a collection of custom in-built responses that include: Ok, BadRequest, Exception, Conflict, Redirect, NotFound, and Unauthorized.


1 Answers

Your action may return an IHttpActionResult which performs the action asynchronously when the framework calls its ExecuteAsync.

But if you must first make some other async calls before creating and returning the result, then you're forced to change the signature to async Task<IHttpActionResult>. That's all it is.

If your controller action code doesn't use await then you can switch back to the simpler signature. However, the result you return will still be asynchronous.

To be clear, in both cases, you are using asynchronous code.

The performance benefit is that - provided all calls to the deepest level are async - a web server thread is not blocked during disk or network I/O, your server can handle more requests with fewer resources.

Think carefully before calling Wait or Result on a Task, or creating a Task yourself within ASP.NET code.

Two legitimate reasons to hand-code, intentional multi-threading or parallelism for web server code are:

  • when it receives minimal traffic but performs computational work, a call every so often to run a computation over data and you want to use all 16 cores.
  • when making >1 simultaneous calls to database shards or >1 other services, you'd make a task for each shard query up front and await them all.
like image 130
Luke Puplett Avatar answered Sep 29 '22 21:09

Luke Puplett