Autofac runtime parameters

后端 未结 2 390
隐瞒了意图╮
隐瞒了意图╮ 2020-12-29 14:39

I\'m new to autofac and looking to see the best practices on passing runtime values to constructor. I\'ve read a bunch of stackoverflow questions where this is asked but no

相关标签:
2条回答
  • 2020-12-29 15:13

    In general you should prevent passing runtime values into constructors. That will complicate your design and your DI configuration a lot. Constructors are for dependencies and configuration values. Pass runtime values either through method arguments or inject a service that allows you to retrieve those runtime values. Take for instance an IUserContext service that allows retrieving the name current logged in user.

    0 讨论(0)
  • AutoFac supports the resolution of services with runtime parameters through the concept of Parameterized Instantiation.

    In the constructor of the client with the dependency on the service with specific runtime parameters, declare your dependency as a Func which returns that dependency in terms of its strongly typed parameters.

    E.g. Func<string, ISomeService> myService

    When AutoFac sees the Func it creates a delegate that acts as a factory method for the creation of the service.

    From the documentation:

    If type T is registered with the container, Autofac will automatically resolve dependencies on Func as factories that create T instances through the container.

    It is not possible to have duplicate types in the parameter list of your dependency, as is the case of ISomeService in your question. E.g. Func<string, string, ISomeService> will not work. In this case, you need to supply a custom delegate factory.

    From the documentation:

    Factory adapters provide the instantiation features of the container to managed components without exposing the container itself to them.

    One way to implement this approach is to declare a delegate type alongside the definition of your type that AutoFac will use as a factory method.

    E.g.

    public class SomeService : ISomeService
    {
        // Factory method
        public delegate SomeService Factory(string userName, string password);
    
        public SomeService(IDataProvider dataProvider,
            ILog log,
            string username,
            string password)
        {
            // ..
    

    Your client of ISomeService would then look like this:

    public class MyClient
    {
        public MyClient(SomeService.Factory serviceFactory)
        {
            // Resolve ISomeService using factory method
            // passing runtime parameters
            _myService = serviceFactory("this", "that");
        }
    }
    

    Note that all non-runtime parameters to the service (in your case IDataProvider and ILog) continue to be automatically resolved by the container.

    0 讨论(0)
提交回复
热议问题