Skip to content

Latest commit

 

History

History
272 lines (192 loc) · 10.7 KB

Dependency-Injection.md

File metadata and controls

272 lines (192 loc) · 10.7 KB

Dependency Injection

ABP's Dependency Injection system is developed based on Microsoft's dependency injection extension library (Microsoft.Extensions.DependencyInjection nuget package). So, it's documentation is valid in ABP too.

Modularity

Since ABP is a modular framework, every module defines it's services and registers to dependency injection in a seperated place, in it's own module class. Example:

public class BlogModule : AbpModule
{
    public override void ConfigureServices(IServiceCollection services)
    {
        //register dependencies here
    }
}

Conventional Registration

ABP introduces conventional service registration. To register all services of a module, you can simple call AddAssemblyOf extension method as shown below:

public class BlogModule : AbpModule
{
    public override void ConfigureServices(IServiceCollection services)
    {
        services.AddAssemblyOf<BlogModule>();
    }
}

AddAssemblyOf extension method takes a type (generally the type of the module class) and registers all services in the same assembly with given type by convention. The section below explains conventions and configurations.

Inheritly Registered Types

Some specific types are registered to dependency injection by default. Examples:

  • Module classes implement IAbpModule interface are registered as singleton.
  • MVC controllers inherit Controller (or AbpController) class are registered as transient.
  • MVC page models inherit PageModel (or AbpPageModel) class are registered as transient.
  • MVC view components inherit ViewComponent (or AbpViewComponent) class are registered as transient.
  • Application services implement IApplicationService interface (or inherit ApplicationService class) are registered as transient.
  • Repositories implement IRepository interface are registered as transient.
  • Domain services implement IDomainService interface are registered as transient.

Example:

public class BlogPostAppService : ApplicationService
{
}

BlogPostAppService is automatically registered with transient lifetime since it's derived from a known base class.

Dependency Interfaces

If you implement these interfaces, your class is registered to dependency injection automatically:

  • ITransient to register with transient lifetime.
  • ISingleton to register with singleton lifetime.
  • IScopedDependency to register with scoped lifetime.

Example:

public class TaxCalculator : ITransientDependency
{
}

TaxCalculator is automatically registered with transient lifetime since it implements ITransientDependency.

Dependency Attribute

Another way of configuring a service for dependency injection is to use DependencyAttribute. It has given properties:

  • Lifetime: Lifetime of the registration: Singleton, Transient or Scoped.
  • TryRegister: Set true to register the service only it's not registered before. Uses TryAdd... extension methods of IServiceCollection.
  • ReplaceServices: Set true to replace services if they are already registered before. Uses Replace extension method of IServiceCollection.

Example:

[Dependency(ServiceLifetime.Transient, ReplaceServices = true)]
public class TaxCalculator
{

}

Dependency attribute has higher priority then dependency interfaces if it defines the Lifetime property.

ExposeServices Attribute

ExposeServicesAttribute is used to control which services are provided by the related class. Example:

[ExposeServices(typeof(ITaxCalculator))]
public class TaxCalculator: ICalculator, ITaxCalculator, ICanCalculate, ITransientDependency
{

}

TaxCalculator class only exposes ITaxCalculator interface. That means you can only inject ITaxCalculator, but can not inject TaxCalculator or ICalculator in your application.

Exposed Services by Convention

If you do not specify which services to expose, ABP expose services by convention. If you think the TaxCalculator defined above:

  • The class itself is exposed by default. That means you can inject it by TaxCalculator class.
  • Default interfaces are exposed by default. Default interfaces are determined by naming convention. In this example, ICalculator and ITaxCalculator are default interfaces of TaxCalculator, but ICanCalculate is not.

Combining All Together

Combining attributes and interfaces is possible as long as it's meaningful.

[Dependency(ReplaceServices = true)]
[ExposeServices(typeof(ITaxCalculator))]
public class TaxCalculator : ITaxCalculator, ITransientDependency
{

}

Manually Registering

In some cases, you may need to register a service to IServiceCollection manually, especially if you need to use custom factory methods or singleton instances. In that case, you can directly add services just as Microsoft documentation describes. Example:

public class BlogModule : AbpModule
{
    public override void ConfigureServices(IServiceCollection services)
    {
        //Add services by convention
        services.AddAssemblyOf<BlogModule>();

        //Register an instance as singleton
        services.AddSingleton<TaxCalculator>(new TaxCalculator(taxRatio: 0.18));

        //Register a factory method that resolves from IServiceProvider
        services.AddScoped<ITaxCalculator>(sp => sp.GetRequiredService<TaxCalculator>());
    }
}

Finally, you may want to add a single class or a few classes by ABP's conventions, but don't want to use AddAssemblyOf. In that case, you can use AddType and AddTypes extension method which implements ABP's conventions for given type(s). Example:

public class BlogModule : AbpModule
{
    public override void ConfigureServices(IServiceCollection services)
    {
        //Add single type
        services.AddType(typeof(TaxCalculator));

        //Add multiple types in once call
        services.AddTypes(typeof(TaxCalculator), typeof(MyOtherService));

        //Add single type using generic shortcut
        services.AddType<TaxCalculator>();
    }
}

Injecting Dependencies

There are three common ways of using a service that is registered before.

Contructor Injection

This is the most common way of injecting a service into a class. Example:

public class TaxAppService : ApplicationService
{
    private readonly ITaxCalculator _taxCalculator;

    public TaxAppService(ITaxCalculator taxCalculator)
    {
        _taxCalculator = taxCalculator;
    }

    public void DoSomething()
    {
        //...use _taxCalculator...
    }
}

TaxAppService gets ITaxCalculator in it's constructor. Dependency injection system automatically provides the requested service on the runtime.

Constructor injection is preffered way of injecting dependencies to a class. In that way, the class can not be constructed unless all constructor-injected dependencies are provided. Thus, the class explicitly declares it's required services.

Property Injection

Property injection is not supported by Microsoft Dependency Injection library. However, ABP integates to 3rd-party DI providers (Autofac, for example) to make property injection possible. Example:

public class MyService : ITransientDependency
{
    public ILogger<MyService> Logger { get; set; }

    public MyService()
    {
        Logger = NullLogger<MyService>.Instance;
    }

    public void DoSomething()
    {
        //...use Logger to write logs...
    }
}

For a property-injection dependency, you declare a public property with public setter. Thus, DI framework can set it after creating your class.

Property injected dependencies are generally considered as optional dependencies. That means the service can properly work without them. Logger is such a dependency, MyService can continue to work without logging.

To make the dependency properly optional, we generally set a default/fallback value to the dependency. In this sample, NullLogger is used as fallback. Thus, MyService can work but does not write logs if DI framework or you don't set Logger property after creating MyService.

One restriction of property injection is that you can not use the dependency in your constructor, since it's set after the object consturction.

Property injection is also useful when you want to design a base class that has some common services injected by default. If you would use constructor injection, all derived classes should also inject depended services into their constructors which makes development harder. However, be carefully using property injection for non-optional services since it makes hard to see requirements of a class.

Resolve Service from IServiceProvider

You may want to resolve a service directly from IServiceProvider. In that case, you can inject IServiceProvider into your class and use GetService method as shown below:

public class MyService : ITransientDependency
{
    private readonly IServiceProvider _serviceProvider;

    public MyService(IServiceProvider serviceProvider)
    {
        _serviceProvider = serviceProvider;
    }

    public void DoSomething()
    {
        var taxCalculator = _serviceProvider.GetService<ITaxCalculator>();
        //...
    }
}

Releasing/Disposing Services

If you used constructor or property injection, you never need to release services. However, if you resolved service from IServiceProvider, you may need to care about releasing services in some cases.

ASP.NET Core releases all services in the end of current HTTP request, even if you directly resolved from IServiceProvider (assuming you injected IServiceProvider). But, there are several cases where you may want to release/dispose manually resolved services:

  • Your code is executed outside of AspNet Core request and the executer hasn't handled the service scope.
  • You only have a reference to the root service provider.
  • You may want to immediately release & dispose services (for example, you may creating too many services with big memory usage and don't want to overuse memory).

In any way, you can use such a code block to safely and immediately release services:

using (var scope = _serviceProvider.CreateScope())
{
    var service1 = scope.ServiceProvider.GetService<IMyService1>();
    var service2 = scope.ServiceProvider.GetService<IMyService2>();
}

Both services are released when the created scope is disposed (at the end of the using block).