ASP.NET UseRouting
last modified April 3, 2025
In this article, we explore the UseRouting middleware in ASP.NET 8. This component is fundamental for request routing in ASP.NET Core applications.
ASP.NET is a cross-platform, high-performance framework for building modern web applications. UseRouting enables endpoint routing, a powerful routing system.
Basic Definition
UseRouting is middleware that matches incoming HTTP requests to endpoints. It is typically placed early in the middleware pipeline to enable routing.
Endpoint routing was introduced in ASP.NET Core 3.0 as a replacement for the older routing system. It provides better performance and more flexibility.
UseRouting works by examining the request and determining which endpoint should handle it. It doesn't execute the endpoint - that happens later in the pipeline.
ASP.NET UseRouting Example
The following example demonstrates a basic ASP.NET application using UseRouting.
var builder = WebApplication.CreateBuilder(args); var app = builder.Build(); app.UseRouting(); app.UseEndpoints(endpoints => { endpoints.MapGet("/", async context => { await context.Response.WriteAsync("Hello from the root endpoint!"); }); endpoints.MapGet("/products", async context => { await context.Response.WriteAsync("List of products will be here"); }); endpoints.MapGet("/products/{id:int}", async context => { var id = context.Request.RouteValues["id"]; await context.Response.WriteAsync($"Product details for ID: {id}"); }); }); app.Run();
This example shows a minimal ASP.NET application with three endpoints. The
UseRouting
call enables the routing system for the application.
The UseEndpoints
middleware is where we define our endpoints. Each
MapGet
call creates a route that responds to HTTP GET requests.
The first endpoint handles requests to the root path ("/"). The second handles "/products". The third shows route parameter binding with "{id:int}".
The route parameter "{id:int}" includes a route constraint that ensures the id parameter must be convertible to an integer. This provides built-in validation.
Note that UseRouting must come before UseEndpoints in the middleware pipeline. This ordering is crucial for the routing system to work correctly.
Source
Microsoft ASP.NET Core Routing Documentation
In this article, we have explored the UseRouting middleware in ASP.NET 8. This essential component enables powerful request routing capabilities in web apps.
Author
List all ASP.NET tutorials.