.Net Core 經過依賴注入和動態加載程序集實現宿主程序和接口實現類庫徹底解構

網上不少.Net Core依賴注入的例子代碼,例如再宿主程序中要這樣寫:app

services.AddTransient<Interface1, Class1>();

其中Interface1是接口,Class1是接口的實現類,通常咱們會將接口項目和實現類項目分開成兩個項目以實現解耦。ide

但這段代碼卻要求宿主程序要引用實現類項目,因此這裏的解構實現的並不完全,要徹底解耦就是要實現宿主程序不引用實現類項目。
或者把注入的代碼改爲這樣:
ui

 services.Add(new ServiceDescriptor(serviceType: typeof(Interface1),
                                          implementationType: Type.GetType("ClassLibrary1.Class1, ClassLibrary1, Version=1.0.0.0, Culture=neutral, PublicKeyToken=null"),
                                          lifetime: ServiceLifetime.Transient));

其實這段代碼也要求宿主類引用實現類庫項目,否則運行會出錯,只有採用動態加載程序集的方式才能實現宿主程序不引用實現類:spa

 var myAssembly = AssemblyLoadContext.Default.LoadFromAssemblyPath(@"C:\Users\pesu\source\repos\DynamicLoadDependencyInjectionConsoleApp\ClassLibrary1\bin\Debug\netcoreapp2.0\ClassLibrary1.dll");

上面代碼將實現類庫程序集動態加載到宿主程序,而後將注入的代碼改爲這樣:3d

  services.Add(new ServiceDescriptor(serviceType: typeof(Interface1),
                                          implementationType: myAssembly.GetType("ClassLibrary1.Class1"),
                                          lifetime: ServiceLifetime.Transient));

其中ClassLibrary1.Class1是Interface1的實現類,完整代碼以下:code

using InterfaceLibrary;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Logging;
using System;
using System.Runtime.Loader;

namespace ConsoleApp1
{
    class Program
    {
        static void Main(string[] args)
        {
            var myAssembly = AssemblyLoadContext.Default.LoadFromAssemblyPath(@"C:\Users\pesu\source\repos\DynamicLoadDependencyInjectionConsoleApp\ClassLibrary1\bin\Debug\netcoreapp2.0\ClassLibrary1.dll");
         
            IServiceCollection services = new ServiceCollection();
            //注入
            services.AddTransient<ILoggerFactory, LoggerFactory>();
           
            services.Add(new ServiceDescriptor(serviceType: typeof(Interface1),
                                          implementationType: myAssembly.GetType("ClassLibrary1.Class1"),
                                          lifetime: ServiceLifetime.Transient));

            //構建容器
            IServiceProvider serviceProvider = services.BuildServiceProvider();
            //解析
            serviceProvider.GetService<ILoggerFactory>().AddConsole(LogLevel.Debug);
            var cls = serviceProvider.GetService<Interface1>();
            cls.Say();
            Console.ReadKey();
        }
    }
}

輸出:blog


這有什麼用呢?接口

相關文章
相關標籤/搜索