ASP.NET AddMvc
last modified April 3, 2025
In this article, we explore the AddMvc method in ASP.NET 8. This method is essential for configuring MVC services in ASP.NET Core applications.
ASP.NET Core MVC is a framework for building web apps and APIs using the Model-View-Controller pattern. AddMvc registers required services for MVC.
Basic Definition
AddMvc is an extension method in ASP.NET Core that adds MVC services to the service collection. It's called during application startup in Program.cs.
This method configures services like controllers, views, Razor Pages, and tag helpers. It also sets up the MVC pipeline with default conventions.
AddMvc combines the functionality of AddControllers, AddViews, and AddRazorPages. It's suitable for traditional MVC applications with views.
In .NET 8, AddMvc continues to support both controller-based and view-based applications. It remains backward compatible with previous versions.
ASP.NET AddMvc Example
The following example demonstrates a basic MVC application using AddMvc.
var builder = WebApplication.CreateBuilder(args); // Add MVC services to the container builder.Services.AddMvc(); var app = builder.Build(); // Configure the HTTP request pipeline if (!app.Environment.IsDevelopment()) { app.UseExceptionHandler("/Home/Error"); app.UseHsts(); } app.UseHttpsRedirection(); app.UseStaticFiles(); app.UseRouting(); app.UseAuthorization(); app.MapControllerRoute( name: "default", pattern: "{controller=Home}/{action=Index}/{id?}"); app.Run();
This configuration sets up a complete MVC application. AddMvc registers all required services for MVC functionality including views and Razor Pages.
using Microsoft.AspNetCore.Mvc; public class HomeController : Controller { public IActionResult Index() { return View(); } public IActionResult About() { ViewData["Message"] = "Your application description page."; return View(); } public IActionResult Contact() { ViewData["Message"] = "Your contact page."; return View(); } [ResponseCache(Duration = 0, Location = ResponseCacheLocation.None, NoStore = true)] public IActionResult Error() { return View(); } }
This controller demonstrates basic MVC actions. Each action returns a view, with some passing data through ViewData. The Error action handles exceptions.
@{ ViewData["Title"] = "Home Page"; } <div class="text-center"> <h1 class="display-4">Welcome</h1> <p>Learn about <a href="https://learn.microsoft.com/aspnet/core"> building Web apps with ASP.NET Core</a>.</p> </div>
This Razor view displays the home page content. The @ symbol denotes Razor code blocks. ViewData accesses data passed from the controller.
The example shows a complete MVC setup with controller, views, and routing. AddMvc enables all these components to work together seamlessly.
Source
Microsoft ASP.NET MVC Documentation
In this article, we have explored the AddMvc method in ASP.NET 8. This essential configuration method enables MVC functionality in ASP.NET apps.
Author
List all ASP.NET tutorials.