Click here to Skip to main content
15,880,725 members
Articles / All Topics

Simple Modularity through Areas in ASP.NET MVC

Rate me:
Please Sign up or sign in to vote.
4.57/5 (4 votes)
9 Feb 2015CPOL8 min read 12.9K   7   1
Simple Modularity through Areas in ASP.NET MVC

The needs and requirements of many applications can change and evolve over time and managing these changes can often be difficult. This is one of the reasons that it’s important to be able to try and build modular applications that can easily separate all of the areas of your application and allow you to easily toggle them on or off for different client needs.

This article will provide an introduction to areas for creating a very basic, modular ASP.NET MVC application. The goal will be to allow you to separate all of the independent modules that might be present in your application using Areas as well as the ability to easily toggle these on and off, style them independently and more.

What are ASP.NET MVC Areas?

Areas can be thought of as modules within the context of MVC applications. They provide a logical grouping of Controllers, Models, Views and any other folders or files that might be necessary for your module :

Areas

Areas themselves are housed within a top-level Areas folder within your MVC application and each individual area will function as its own self-contained module. Areas allow developers to write more modular, maintainable code that by definition would be cleanly separated from the parent application and other modules and areas.

Getting Started

In this example, we will construct a parent application that will consist of three different modules, each with its own Controllers, Views, Routing and anything else we desire.

First, create a new ASP.NET Web Application project:

NewProject

Ensure that you are creating an Empty project for this example and including the appropriate references for MVC:

EmptyMVCProject

This application will consist of a parent, base Controller that all of the child modules live in. This will allow you to easily define your layout, any navigation to access your child modules and any CSS, JavaScript and other references that your Areas will rely on. You’ll want to create a New Controller, which for the purposes of this example will be called ParentController:

C#
namespace ModularityExample.Controllers
{
    public class ParentController : Controller
    {
        public ActionResult Index()
        {
            return View();
        }
    }
}

Next, you’ll want to create a View for this Action. Just right-click it and choose Add View in the context menu that appears. After creating it, decorate it as you like, here’s the example I am using:

HTML
<!DOCTYPE html>
<html>
    <head>
        <meta name="viewport" content="width=device-width" />
        <title>Base Parent Controller</title>
    </head>
    <body>
       <h1>Parent Content</h1>
    </body>
</html>

In the next steps, we will tackle creating and building the modules within the application.

Building your Modules / Areas

You’ll next want to create three separate modules within your example application. Thankfully, the process of building these modules is incredibly easy and doesn’t take more than just a few seconds:

  1. Right-click on your Project in the Solution Explorer.
  2. Choose the Add > Area… option that appears in the context menu.
  3. Type the name of the Area that you want to use.

That’s it! Visual Studio will take care of scaffolding out everything that you need to get started. For the purposes of this example, I’ve chosen to create three different Areas for each of the primary colors: Red, Blue and Yellow:

Areas

Let’s take a bit of time to figure out exactly what is contained within each of the Areas that we created. As I mentioned previously, each of the Areas is going to resemble a tiny MVC project:

  • Controllers
  • Views
  • Models
  • An AreaRegistration File

All of these should be fairly familiar to anyone that has worked with MVC previously except for perhaps the last AreaRegistration file. These AreaRegistration files are going to be found within each MVC Area that is created and they handle wiring up routing calls to the Area itself:

C#
namespace ModularityExample.Areas.Blue
{
    public class BlueAreaRegistration : AreaRegistration 
    {
        // An override to indicate the name of the Area itself
        public override string AreaName 
        {
            get 
            {
                return "Blue";
            }
        }

        // A method to register the appropriate routes within parent MVC Application
        public override void RegisterArea(AreaRegistrationContext context) 
        {
            context.MapRoute(
                "Blue_default",
                "Blue/{controller}/{action}/{id}",
                new { action = "Index", id = UrlParameter.Optional }
            );
        }
    }
}

The RegisterArea method is going to be triggered by the parent MVC application when the Application is initially launched. You can see this in Action within the Global.asax file located at the root of your MVC project:

C#
public class MvcApplication : System.Web.HttpApplication
{
        protected void Application_Start()
        {
            // This RegisterAllAreas() method will trigger the RegisterArea in each of your individual areas
            AreaRegistration.RegisterAllAreas();
            RouteConfig.RegisterRoutes(RouteTable.Routes);
        }
}

Next, you can build a Controller for each of the areas that you just created. It’s just as easy as you might expect and can be done by right-clicking on the Controllers folder within an Area and choosing New > Controller.

For the sake of simplicity, we will model them similar to our ParentController that was previously created. Just use the Add View option and let ASP.NET’s scaffolding take care of the rest:

C#
namespace ModularityExample.Areas.Blue.Controllers
{
    public class BlueController : Controller
    {
        public ActionResult Index()
        {
            return View(); 
        } 
    } 
}

You’ll probably want to define a very basic View for your Index actions so that you actually have something to access. After doing this, you should be able to run your application and access each of the areas directly based on their respective routes (e.g. localhost/Parent, localhost/Blue, etc.).

This isn’t terribly useful, so let’s build a Layout and a Navigation area to help make these areas more defined. Within the Parent application, create a Layout page called “_Layout.cshtml” under the Views > Shared directory and paste the following code into it:

HTML
<!DOCTYPE html>
<html>
    <head>
        <meta name="viewport" content="width=device-width" />
        <title>Modularity Testing</title>
    </head>
    <body>
        @Html.Partial("_Navigation")
        <div>
            @RenderBody()
        </div>
    </body>
</html>

Next, create another partial View in the same directory called “_Navigation.cshtml” that will be used to display our menu:

HTML
<!-- Basic Styling (add into a master CSS file referenced in the Parent Layout later) -->
<style type="text/css">
   nav.menu { width: 100%; background: #0071BC; }
   nav.menu a { display: inline-block; width: 100px; padding: 6px; 
   text-align: center; color: #FFF; text-decoration: none; }
   nav.menu a:hover { background: #0093DE;}
</style>

<!-- Within the Navigation area, we will define our modules -->
<nav class="menu">
   <a href="@Url.Action("Index","Blue", 
   new { area = "Blue" })">Blue</a>
   <a href="@Url.Action("Index","Red", 
   new { area = "Red" })">Red</a>
   <a href="@Url.Action("Index","Yellow", 
   new { area = "Yellow" })">Yellow</a>
</nav>

Next, build yet another View called “_ViewStart.cshtml” within the Views folder of the Parent application. This is going to be inherited for all of the Views within the application and will help to provide a consistent look throughout. It should contain the following line in it:

@{ Layout = "~/Views/Shared/_Layout.cshtml";}

Finally, copy this same “_ViewStart.cshtml” file into all of the View folders within your application (including your areas). At this point, if you are following along, your solution should look something like this:

SolutionExample

In the next section, we will look at adjusting the routing to place all of these modules below the Parent Controller.

Establishing Routing

Area routing can sometimes require a bit of thought as you need to ensure that your routes are unique, as otherwise a later route may override a previously defined one and make navigating around a nightmare. In order to achieve the effect that we are looking for, we want our routes to all be housed under the Parent application like so:

  • localhost/Parent
    This will function as a home page that will display all of the individual modules available.
  • localhost/Parent/Blue
  • localhost/Parent/Red
  • localhost/Parent/Yellow

Note: If this isn’t the preferred routing you are looking for, you can skip this phase as it is optional.

In order to implement this, we are going to go into each of our Areas and adjust the routes. Open the AreaRegistration file within each of your areas and make the following changes within the RegisterArea method:

C#
public override void RegisterArea(AreaRegistrationContext context)
{
       context.MapRoute(
             AreaName,
             String.Format("Parent/{0}/{{action}}/{{id}}",AreaName),
             new { controller = AreaName, action = "Index", id = UrlParameter.Optional }
       );
}

You might be asking what is this doing? These routes will establish the default routing structure within your application and will ensure that all of the individual modules are routed under the Parent Controller. This is by no means necessary, but for the purposes of this example, it’s what is happening.

If you run the project now, you should see the following screen:

You can see the individual modules present in the menu. However, they aren't dynamic... yet.

You can see the individual modules present in the menu. However, they aren’t dynamic… yet.

Hard-coded menu items. Not too impressive. In the next section, we will define an approach to manage these modules, track those being used and wrap up everything as expected.

Configuring Plug & Play

One of the reasons that you would want to adopt a modular approach like this might be the need to easily toggle modules on and off for different clients. For the purposes of this example, we will do so using the web.config (but you could easily use a database or any other data store).

Open the Global.asax.cs file and add the following section:

C#
public static class Application
{
        // Define a static Dictionary indicating the available areas
        public static Dictionary<string, bool> ModulesEnabled = new Dictionary<string, bool>();
}

This will create a Dictionary that will store which modules you have enabled or disabled within your application, so that you can add the appropriate logic within your View (specifically your _Navigation.cshtml file) on which areas you should display or not.

Next, you’ll want to open your web.config file and add each of your modules in and indicate if they are enabled or disabled as seen below:

C#
<appSettings>
    <!-- Access-specific Configuration Settings -->
    <add key="Blue" value="true" />
    <add key="Red" value="true" />
    <add key="Yellow" value="true" />
</appSettings>

This section will allow you to easily change the settings for your application to enable or disabled certain modules. As I mentioned previously, this information could easily be stored within a database or some other data store.

Now, you actually need to read the values from your configuration file (or your preferred data source). To do this, you’ll return to the AreaRegistration.cs files for each of your areas and add the following additional code within the RegisterArea method:

C#
public override void RegisterArea(AreaRegistrationContext context)
{
     // Determine if it is enabled or not
     Application.ModulesEnabled.Add(AreaName,Convert.ToBoolean(ConfigurationManager.AppSettings[AreaName]));

     // Read from your configuration to determine if routes should be established
     if(Application.ModulesEnabled[AreaName])
     {
          context.MapRoute(
              AreaName,
              String.Format("Parent/{0}/{{action}}/{{id}}", AreaName),
              new { controller = AreaName, action = "Index", id = UrlParameter.Optional }
          );
     }
}

After adding this in to each of the individual areas, you just need to wrap things up by adding the appropriate logic within your Navigation area (_Navigation.cshtml) to handle displaying the areas:

HTML
<nav class="menu">
    @if (Application.ModulesEnabled["Blue"])
    {
         <a href="@Url.Action("Index","Blue", 
         new { area = "Blue" })">Blue</a>
    }
    @if (Application.ModulesEnabled["Red"])
    {
         <a href="@Url.Action("Index", "Red", 
         new { area = "Red" })">Red</a>
    }
    @if (Application.ModulesEnabled["Yellow"])
    {
         <a href="@Url.Action("Index", "Yellow", 
         new { area = "Yellow" })">Yellow</a>
    }
</nav>

And that’s basically it. If you wanted to toggle a particular section off, you would just need to visit the web.config to disable it (or you could make an interface within your application to use a database to avoid any web.config changes):

HTML
<add key="Red" value="false" />

which yields:

An Example of the application with the Red module disabled

An Example of the application with the Red module disabled

If you wanted to add a bit more flair to any one of your specific modules, you could add some CSS (via a link or inline) into the _ViewStart.cshtml file within a module as seen below:

C#
@{ Layout = "~/Views/Shared/_Layout.cshtml";}
<style type="text/css">
    /* Styles to override the layout (Yellow) */
    nav.menu { width: 100%; background: yellow; }
    nav.menu a { color: #000; } 
    nav.menu a:hover { background: #FFF380; }
</style>

If you were to do this to each of the modules, you would see the following when running the application:

An example of applying module-specific styles

An example of applying module-specific styles

What’s Next?

This post was obviously a way to implement modularity within MVC applications in the most basic of ways. But more than anything, I hope that it provided an introduction to ASP.NET MVC Areas and how they can be used within your applications.

I’ll review over a few other additions and configurations that you can make within an application like this to further extend its flexibility (e.g. tracking the current location on the menu, applying aliases for the modules, module-based styles and more) within a series of follow up posts soon. If you wanted to get started, you can find this sample on GitHub at the following location:

The post Simple Modularity through Areas in ASP.NET MVC appeared first on Rion.IO.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Senior)
United States United States
An experienced Software Developer and Graphic Designer with an extensive knowledge of object-oriented programming, software architecture, design methodologies and database design principles. Specializing in Microsoft Technologies and focused on leveraging a strong technical background and a creative skill-set to create meaningful and successful applications.

Well versed in all aspects of the software development life-cycle and passionate about embracing emerging development technologies and standards, building intuitive interfaces and providing clean, maintainable solutions for even the most complex of problems.

Comments and Discussions

 
QuestionUseful Pin
Vignesh Mani6-Jul-16 12:34
professionalVignesh Mani6-Jul-16 12:34 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.