ASP.NET Task
last modified April 3, 2025
In this article, we explore the Task class in ASP.NET 8. Task is fundamental for writing asynchronous code in modern .NET applications.
ASP.NET is a cross-platform, high-performance framework for building web apps. Task enables efficient handling of I/O-bound operations without blocking threads.
Basic Definition
Task represents an asynchronous operation in .NET. It's a promise of future work that may or may not return a value. Tasks are used with async/await keywords.
Tasks help manage concurrency by allowing non-blocking execution of operations. They're essential for scalable web applications that handle many requests.
In ASP.NET, controller actions can return Task
ASP.NET Task Example
The following example demonstrates async controller actions using Task in ASP.NET.
var builder = WebApplication.CreateBuilder(args); builder.Services.AddControllers(); builder.Services.AddDbContext<AppDbContext>(options => options.UseSqlServer(builder.Configuration.GetConnectionString("Default"))); var app = builder.Build(); app.MapControllers(); app.Run();
This sets up an ASP.NET application with controller and Entity Framework Core support. The DbContext is configured for async database operations.
using Microsoft.AspNetCore.Mvc; using Microsoft.EntityFrameworkCore; [ApiController] [Route("api/[controller]")] public class ProductsController : ControllerBase { private readonly AppDbContext _context; public ProductsController(AppDbContext context) { _context = context; } [HttpGet] public async Task<IActionResult> GetAllProducts() { var products = await _context.Products.ToListAsync(); return Ok(products); } [HttpGet("{id}")] public async Task<IActionResult> GetProductById(int id) { var product = await _context.Products.FindAsync(id); if (product == null) return NotFound(); return Ok(product); } [HttpGet("expensive")] public async Task<IActionResult> GetExpensiveProducts() { var products = await _context.Products .Where(p => p.Price > 100) .ToListAsync(); return Ok(products); } }
This controller demonstrates three async actions using Task. Each method performs database operations asynchronously using Entity Framework Core's async methods.
The GetAllProducts
method returns all products from the database.
ToListAsync
is used instead of ToList
for async operation.
The GetProductById
method shows async retrieval of a single item.
FindAsync
is the async version of Find
for primary key lookups.
The GetExpensiveProducts
method demonstrates async query execution
with filtering. All database operations are non-blocking, freeing threads.
Source
In this article, we have explored Task in ASP.NET 8. This powerful feature enables efficient async programming for scalable web applications.
Author
List all ASP.NET tutorials.