【懶人有道】在asp.net core中實現程式集註入

来源:http://www.cnblogs.com/zengxw/archive/2017/05/16/6864311.html
-Advertisement-
Play Games

前言 在asp.net core中,我巨硬引入了DI容器,我們可以在不使用第三方插件的情況下輕鬆實現依賴註入。如下代碼: 1 // This method gets called by the runtime. Use this method to add services to the conta ...


 

前言

在asp.net core中,我巨硬引入了DI容器,我們可以在不使用第三方插件的情況下輕鬆實現依賴註入。如下代碼:
 1         // This method gets called by the runtime. Use this method to add services to the container.
 2         public void ConfigureServices(IServiceCollection services)
 3         {
 4             //services.RegisterAssembly("IServices");
 5             services.AddSingleton<IUserService, UserService>();
 6             // Add framework services.
 7             services.AddMvc();
 8             services.AddMvcCore()
 9                 .AddApiExplorer();
10             services.AddSwaggerGen(options =>
11             {
12                 options.SwaggerDoc("v1", new Info()
13                 {
14                     Title = "Swagger測試",
15                     Version = "v1",
16                     Description = "Swagger測試RESTful API ",
17                     TermsOfService = "None",
18                     Contact = new Contact
19                     {
20                         Name = "來來吹牛逼",
21                         Email = "[email protected]"
22                     },
23                 });
24                 //設置xml註釋文檔,註意名稱一定要與項目名稱相同
25                 var filePath = Path.Combine(PlatformServices.Default.Application.ApplicationBasePath, "WebApi.xml");
26                 options.IncludeXmlComments(filePath);
27             });
28         }
View Code

 

但是,隨著公司業務的擴大,系統項目的功能模塊急劇擴張,新增了不下百個或者千個Repository和Service(有點誇張了...),這時候如此單純滴註入就有點操蛋了。

打懶主意

我可不可以通過反射技術來實現對程式集的註入呢??

試試就試試

首先,我私自先制定一些類名的約束。規則嘛,反正是自己定。比如:
  • UserService --> IUserService
  • UserRepository --> IUserRepository
  • ......
  • ClassName --> IClassName
好了,我們下麵開始編碼:
 1     /// <summary>
 2     /// IServiceCollection擴展
 3     /// </summary>
 4     public static class ServiceExtension
 5     {
 6         /// <summary>
 7         /// 用DI批量註入介面程式集中對應的實現類。
 8         /// <para>
 9         /// 需要註意的是,這裡有如下約定:
10         /// IUserService --> UserService, IUserRepository --> UserRepository.
11         /// </para>
12         /// </summary>
13         /// <param name="service"></param>
14         /// <param name="interfaceAssemblyName">介面程式集的名稱(不包含文件擴展名)</param>
15         /// <returns></returns>
16         public static IServiceCollection RegisterAssembly(this IServiceCollection service, string interfaceAssemblyName)
17         {
18             if (service == null)
19                 throw new ArgumentNullException(nameof(service));
20             if (string.IsNullOrEmpty(interfaceAssemblyName))
21                 throw new ArgumentNullException(nameof(interfaceAssemblyName));
22 
23             var assembly = RuntimeHelper.GetAssembly(interfaceAssemblyName);
24             if (assembly == null)
25             {
26                 throw new DllNotFoundException($"the dll \"{interfaceAssemblyName}\" not be found");
27             }
28 
29             //過濾掉非介面及泛型介面
30             var types = assembly.GetTypes().Where(t => t.GetTypeInfo().IsInterface && !t.GetTypeInfo().IsGenericType);
31 
32             foreach (var type in types)
33             {
34                 var implementTypeName = type.Name.Substring(1);
35                 var implementType = RuntimeHelper.GetImplementType(implementTypeName, type);
36                 if (implementType != null)
37                     service.AddSingleton(type, implementType);
38             }
39             return service;
40         }
41 
42         /// <summary>
43         /// 用DI批量註入介面程式集中對應的實現類。
44         /// </summary>
45         /// <param name="service"></param>
46         /// <param name="interfaceAssemblyName">介面程式集的名稱(不包含文件擴展名)</param>
47         /// <param name="implementAssemblyName">實現程式集的名稱(不包含文件擴展名)</param>
48         /// <returns></returns>
49         public static IServiceCollection RegisterAssembly(this IServiceCollection service, string interfaceAssemblyName, string implementAssemblyName)
50         {
51             if (service == null)
52                 throw new ArgumentNullException(nameof(service));
53             if(string.IsNullOrEmpty(interfaceAssemblyName))
54                 throw new ArgumentNullException(nameof(interfaceAssemblyName));
55             if (string.IsNullOrEmpty(implementAssemblyName))
56                 throw new ArgumentNullException(nameof(implementAssemblyName));
57 
58             var interfaceAssembly = RuntimeHelper.GetAssembly(interfaceAssemblyName);
59             if (interfaceAssembly == null)
60             {
61                 throw new DllNotFoundException($"the dll \"{interfaceAssemblyName}\" not be found");
62             }
63 
64             var implementAssembly = RuntimeHelper.GetAssembly(implementAssemblyName);
65             if (implementAssembly == null)
66             {
67                 throw new DllNotFoundException($"the dll \"{implementAssemblyName}\" not be found");
68             }
69 
70             //過濾掉非介面及泛型介面
71             var types = interfaceAssembly.GetTypes().Where(t => t.GetTypeInfo().IsInterface && !t.GetTypeInfo().IsGenericType);
72 
73             foreach (var type in types)
74             {
75                 //過濾掉抽象類、泛型類以及非class
76                 var implementType = implementAssembly.DefinedTypes
77                     .FirstOrDefault(t => t.IsClass && !t.IsAbstract && !t.IsGenericType &&
78                                          t.GetInterfaces().Any(b => b.Name == type.Name));
79                 if (implementType != null)
80                 {
81                     service.AddSingleton(type, implementType.AsType());
82                 }
83             }
84 
85             return service;
86         }
87     }
View Code

附上RuntimeHelper.cs的代碼:

 1     public class RuntimeHelper
 2     {
 3         /// <summary>
 4         /// 獲取項目程式集,排除所有的系統程式集(Microsoft.***、System.***等)、Nuget下載包
 5         /// </summary>
 6         /// <returns></returns>
 7         public static IList<Assembly> GetAllAssemblies()
 8         {
 9             var list = new List<Assembly>();
10             var deps = DependencyContext.Default;
11             var libs = deps.CompileLibraries.Where(lib => !lib.Serviceable && lib.Type != "package");//排除所有的系統程式集、Nuget下載包
12             foreach (var lib in libs)
13             {
14                 try
15                 {
16                     var assembly = AssemblyLoadContext.Default.LoadFromAssemblyName(new AssemblyName(lib.Name));
17                     list.Add(assembly);
18                 }
19                 catch (Exception)
20                 {
21                     // ignored
22                 }
23             }
24             return list;
25         }
26 
27         public static Assembly GetAssembly(string assemblyName)
28         {
29             return GetAllAssemblies().FirstOrDefault(assembly => assembly.FullName.Contains(assemblyName));
30         }
31 
32         public static IList<Type> GetAllTypes()
33         {
34             var list = new List<Type>();
35             foreach (var assembly in GetAllAssemblies())
36             {
37                 var typeInfos = assembly.DefinedTypes;
38                 foreach (var typeInfo in typeInfos)
39                 {
40                     list.Add(typeInfo.AsType());
41                 }
42             }
43             return list;
44         }
45 
46         public static IList<Type> GetTypesByAssembly(string assemblyName)
47         {
48             var list = new List<Type>();
49             var assembly = AssemblyLoadContext.Default.LoadFromAssemblyName(new AssemblyName(assemblyName));
50             var typeInfos = assembly.DefinedTypes;
51             foreach (var typeInfo in typeInfos)
52             {
53                 list.Add(typeInfo.AsType());
54             }
55             return list;
56         }
57 
58         public static Type GetImplementType(string typeName, Type baseInterfaceType)
59         {
60             return GetAllTypes().FirstOrDefault(t =>
61             {
62                 if (t.Name == typeName &&
63                     t.GetTypeInfo().GetInterfaces().Any(b => b.Name == baseInterfaceType.Name))
64                 {
65                     var typeInfo = t.GetTypeInfo();
66                     return typeInfo.IsClass && !typeInfo.IsAbstract && !typeInfo.IsGenericType;
67                 }
68                 return false;
69             });
70         }
71     }
View Code

好了,到此就基本完成了,記得在Startup.cs加上:

 1         // This method gets called by the runtime. Use this method to add services to the container.
 2         public IServiceProvider ConfigureServices(IServiceCollection services)
 3         {
 4             services.RegisterAssembly("IServices");
 5             services.Configure<MemoryCacheEntryOptions>(
 6                 options => options.AbsoluteExpirationRelativeToNow = TimeSpan.FromMinutes(5));//設置緩存有效時間為5分鐘。
 7             
 8             // Add framework services.
 9             services.AddMvc();
10 
11             return services.BuilderInterceptableServiceProvider(builder => builder.SetDynamicProxyFactory());
12         }
View Code

 

總結

小記一下,好記性不如爛筆頭。
您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 1、在vmware虛擬機選項下,選擇安裝vmware-tools 2、將vmware安裝目錄下的linux.iso裝載到系統中 2.1、選擇需安裝VMWareTools的虛擬機,右擊--可移動設備--CD/DVD--設置 2.2、選擇CD/DVD(SATA)--使用ISO映像文件--選文件--打鉤設 ...
  • 微軟在去年發佈了Bash On Windows, 這項技術允許在Windows上運行Linux程式, 我相信已經有很多文章解釋過Bash On Windows的原理, 而今天的這篇文章將會講解如何自己實現一個簡單的原生Linux程式運行器, 這個運行器在用戶層實現, 原理和Bash On Windo ...
  • 工具: 1、8G或以上U盤一枚; 2、CDlinux0.9.7.1鏡像文件,註意其他版本不一定能成功(傳送門http://pan.baidu.com/s/1o7P6Gu2); 3、UltraISO或Unetbootin(傳送門http://pan.baidu.com/s/1mhUuzqw); 4、B ...
  • 1.原因 由於最近對於非同步connect函數的測試,發現提前將一個套接字加入epoll監聽隊列會不斷爆出epollhup事件 2.示例 ........ iEpoll = epoll_create(1); iFd = socket(AF_INET, SOCK_STREAM, 0); stEvent. ...
  • 操作要領:封閉埠,杜絕網路病毒對這些埠的訪問權,以保障電腦安全,減少病毒對上網速度的影響。 近日發現有些人感染了新的網路蠕蟲病毒,該病毒使用衝擊波病毒專殺工具無法殺除,請各位儘快升級電腦上的殺毒軟體病毒庫,在斷開電腦網路連接的情況下掃描硬碟,查殺病毒。安裝了防火牆軟體的用戶,請 封閉 TC ...
  • Local系統管理員新增了一個VG,將一個原掛載點/u02改為了/u02-old, 如下所示。 [root@mylnx01 ~]# df -hFilesystem Size Used Avail Use% Mounted on/dev/mapper/VolGroup00-LogVol00 37G 2... ...
  • 註:本文示例環境 VS2017 XUnit 2.2.0 單元測試框架 xunit.runner.visualstudio 2.2.0 測試運行工具 Moq 4.7.10 模擬框架 為什麼要編寫單元測試 對於為什麼要編寫單元測試,我想每個人都有著自己的理由。對於我個人來說,主要是為了方便修改(bug修 ...
  • 最近做WInfrom項目,對錶格和控制項的數據綁定非常喜歡用實體類對象來解決,但是綁定以後 又怎麼從控制項中拿到實體類或者轉換為datatable 或者dataset呢 經過在網上的搜索以及自己的改進 完成了一個轉換類,分享給大家。 已經用在項目中,使用時沒有問題的,如果有缺陷請大家指正。 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...