Plugin Architecture in ASP.NET Core – How To Master It

In the ever-evolving world of software development, flexibility and extensibility are key. As developers, we constantly strive to write code that not only solves the problem at hand but also accommodates future changes and enhancements. This can lead us down a path of over-engineering, for sure, so it’s important that we be aware of this! However, this is where creating plugins for the plugin architecture design pattern comes into play, especially in the context of ASP.NET Core.

In this blog post, we will delve into the world of plugins, exploring how they can be leveraged in ASP.NET Core to create more flexible and maintainable applications. We’ll walk through some C# code samples, discuss the pros and cons of such a design, and even touch on how to use the Autofac net core NuGet package to load plugins. So, whether you’re a seasoned C# programmer or a curious beginner, buckle up for an exciting journey into the world of plugins!

What is the Plugin Architecture Design Pattern?

A plugin architecture, also known as a plug-in or extension model, is a design pattern that allows a software application to be extended with new features or behaviors at runtime. This is achieved by defining a set of interfaces or abstract classes that can be implemented by third-party components, which are loaded and executed dynamically by the host application.

When you’re thinking about your plugin architecture, it doesn’t necessarily have to be something that is exposed to others (i.e. a truly public API). This can be highly dependent on your situation. For example, I use plugins even for my own personal projects where nobody else will be contributing. I have used plugin architectures where other teams in my organization (and potentially beyond) can extend part of the offering. I have also used plugin architectures to allow completely third-party individuals to extend a code base’s functionality.

Why Use a Plugin Architecture in ASP.NET Core?

ASP.NET Core is a robust, open-source framework for building modern web applications. It’s known for its high performance, flexibility, and extensibility. By leveraging the plugin architecture design pattern in ASP.NET Core, we can take these benefits to the next level.

Many of the new resources we see coming out showcasing examples like minimal APIs often illustrate very simplistic applications. For example, even the weather app sample project that is offered by Microsoft illustrates a basic API where an extension of this likely looks like copy-pasting routes to tack on some extra features. But when you start considering extensibility into other domains and separating these things out, the idea of a plugin architecture starts to fit in better.

Let’s check out some of the pros and cons of using the plugin architecture design pattern. This is by no means a conclusive list:

Pros

  1. Flexibility and Extensibility: A plugin architecture allows you to add, remove, or update functionality without modifying the core application code. This makes your application more flexible and easier to maintain and extend.
  2. Separation of Concerns: Each plugin encapsulates a specific functionality, promoting a clean separation of concerns and making your code more modular and easier to test.
  3. Collaboration and Scalability: A plugin architecture facilitates collaboration, as different teams can work on different plugins simultaneously. It also supports scalability, as new plugins can be added as your application grows.

Cons

  1. Complexity: Implementing a plugin architecture can add complexity to your application, especially when dealing with plugin dependencies and versioning.
  2. Performance Overhead: Dynamically loading and unloading plugins can introduce performance overhead. However, this is often negligible compared to the benefits. This is something that needs to be considered situationally!
  3. Security Risks: Plugins can pose security risks if they are not properly isolated and sandboxed. If the APIs are designed poorly, they may give too much access to the core of the system. Even if not “security” necessarily, poorly designed plugin APIs may allow implementations to abuse the access they have against the intended design.

Leveraging a Plugin Architecture in ASP.NET Core: A Practical Example

Let’s dive into some code. We’ll use the Autofac net core NuGet package to load our plugins. Autofac is a popular inversion of control (IoC) container for .NET, known for its flexibility and performance.

Here’s a simple example of a plugin loader using Autofac:

public sealed class RoutesModule : Module
{
    protected override void Load(ContainerBuilder builder)
    {
        // this code looks for all plugins that are marked as being
        // discoverable, which is indicated by the attribute:
        // DiscoverableRouteRegistrarAttribute
        var discoverableRouteRegistrarTypes = CalorateContainerBuilder
            .CandidateAssemblies
            .SelectMany(x => x
                .GetTypes()
                .Where(x => x.CustomAttributes.Any(attr => attr.AttributeType == typeof(DiscoverableRouteRegistrarAttribute))))
            .ToArray();

        foreach (var type in discoverableRouteRegistrarTypes)
        {
            builder.RegisterType(type).SingleInstance();
        }

        builder
            .Register(c =>
            {
                var app = c.Resolve<WebApplication>();
                foreach (var registrar in discoverableRouteRegistrarTypes
                    .Select(x => c.Resolve(x))
                    .Cast<IRouteRegistrar>())
                {
                    // the implementation of the Register method
                    // in this case gives the plugin owner a TON
                    // of flexibility to register routes, groups,
                    // etc... in your situation you may want to
                    // restrict this further
                    registrar.Register(app);
                }

                // NOTE: this is just a marker type that I use
                // in my applications to control when certain
                // types of plugins will be loaded. for example,
                // all of these plugins will only be loaded when
                // the core application tries to resolve all of
                // the instances of PostBuildWebApplicationDependency.
                return new PostBuildWebApplicationDependency(GetType());
            })
            .AsImplementedInterfaces()
            .SingleInstance();
    }
}

In this code, we’re defining a module that scans assemblies for types marked with the DiscoverableRouteRegistrarAttribute attribute. These types are registered with Autofac as single instances. Then, we register a PostBuildWebApplicationDependency that resolves all the discovered route registrars and calls their Register method.

Check out this video for a walkthrough on how I leverage this pattern for working on vertical slices in my ASP.NET Core application:

YouTube player

Deep Dive into Plugin Architecture

Now that we’ve covered the basics, let’s take a deeper dive into the plugin architecture. We’ll look at how plugins can be designed, how they interact with the host application, and how they can be managed and loaded at runtime.

Designing Plugins

When designing a plugin, the first step is to define the interface or abstract class that the plugin will implement. This interface serves as a contract between the plugin and the host application, specifying what methods and properties the plugin must provide.

For example, in an e-commerce application, you might have an IPaymentGateway interface that defines methods for processing payments, issuing refunds, and checking transaction status. Each payment gateway (e.g., PayPal, Stripe, etc.) would then implement this interface as a separate plugin.

Interacting with the Host Application

Plugins can interact with the host application in various ways. For example, they can:

  • Provide new functionality: This is the most common use case for plugins. For example, a web service can expose new routes with new functionality.
  • Modify existing functionality: Some plugins might change the way the host application works. For example, a plugin could change the way an application processes files, encrypting them for added security.
  • Respond to events: Plugins can also be designed to respond to events in the host application. For example, a plugin could send a notification whenever a new order is placed in an e-commerce application.

In reality, leveraging plugins allows you to explore the different functionality that you want to have exposed and be extensible. The limit is your own imagination!

Managing and Loading Plugins

Managing and loading plugins at runtime can be a complex task, but libraries like Autofac can help simplify this process. With Autofac, you can easily register and resolve plugins, and even manage their lifetime (i.e., when they are created and destroyed). In the code sample above, we used Autofac to register all types marked with the DiscoverableRouteRegistrarAttribute attribute as single instances. Then, we resolved these instances and called their Register method to register their routes with the application.

You can accomplish this in many different ways depending on the needs of your application and how you would like your plugin interactions to work. The discoverable pattern mixed with automatic registration and resolution works really well for me. You may need something more structured to control order or impose other restrictions, so keep this in mind!

Here are two additional videos on using Autofac to load plugins!

YouTube player
YouTube player

Conclusion

The plugin architecture design pattern can be a powerful tool in your ASP.NET Core development toolkit. It offers flexibility, promotes a clean separation of concerns, and facilitates collaboration and scalability. However, it also comes with its challenges, such as added complexity, potential performance overhead, and security risks. Personally, I create nearly every project I jump into with some amount of plugin architecture in mind. While this may not make sense for everyone, the tools at our disposal to dynamically load new functionality are too powerful for me to ignore!

By understanding these trade-offs and leveraging tools like Autofac, you can harness the power of plugins to build more flexible, extensible, and maintainable ASP.NET Core applications. The plugin architecture design pattern is one of my favorites for ensuring these traits for your projects.

For more insights into ASP.NET Core, C#, and software development in general, feel free to check out my YouTube channel. You can also subscribe to Dev Leader Weekly for weekly updates on this type of content! Happy coding!

author avatar
Nick Cosentino Principal Software Engineering Manager
Principal Software Engineering Manager at Microsoft. Views are my own.

This Post Has 2 Comments

  1. Micah

    Awesome work. The plugin architecture is an oldy but a goody. Maybe if we started calling it micro-backends people would latch onto it like the do all the new fads.

    1. Nick Cosentino

      Hahaha! That’s a great idea! 😀 Anything semi-fancy to get the masses driving in a particular direction haha

Leave a Reply