netcore 之動態代理(微服務專題)

来源:https://www.cnblogs.com/netqq/archive/2019/09/03/11452374.html
-Advertisement-
Play Games

動態代理配合rpc技術調用遠程服務,不用關註細節的實現,讓程式就像在本地調用以用。 因此動態代理在微服務系統中是不可或缺的一個技術。網上看到大部分案例都是通過反射自己實現,且相當複雜。編寫和調試相當不易,我這裡提供里一種簡便的方式來實現動態代理。 1、創建我們的空白.netcore項目 通過vs20 ...


動態代理配合rpc技術調用遠程服務,不用關註細節的實現,讓程式就像在本地調用以用。

因此動態代理在微服務系統中是不可或缺的一個技術。網上看到大部分案例都是通過反射自己實現,且相當複雜。編寫和調試相當不易,我這裡提供里一種簡便的方式來實現動態代理。

1、創建我們的空白.netcore項目 

通過vs2017輕易的創建出一個.netcore項目

2、編寫Startup.cs文件

預設Startup 沒有構造函數,自行添加構造函數,帶有  IConfiguration 參數的,用於獲取項目配置,但我們的示例中未使用配置

  public Startup(IConfiguration configuration)
        {
            Configuration = configuration;
            //註冊編碼提供程式
            Encoding.RegisterProvider(CodePagesEncodingProvider.Instance);
        }

在ConfigureServices 配置日誌模塊,目前core更新的很快,日誌的配置方式和原來又很大出入,最新的配置方式如下

  // For more information on how to configure your application, visit https://go.microsoft.com/fwlink/?LinkID=398940
        public void ConfigureServices(IServiceCollection services  )
        {
            services.AddLogging(loggingBuilder=> {
                loggingBuilder.AddConfiguration(Configuration.GetSection("Logging"));
                loggingBuilder.AddConsole();
                loggingBuilder.AddDebug();
            });

        }

添加路由過濾器,監控一個地址,用於調用我們的測試代碼。netcore預設沒有UTF8的編碼方式,所以要先解決UTF8編碼問題,否則將在輸出中文時候亂碼。

這裡註意 Map  內部傳遞了參數 applicationBuilder ,千萬不要 使用Configure(IApplicationBuilder app, IHostingEnvironment env ) 中的app參數,否則每次請求api/health時候都將調用這個中間件(app.Run會短路期後邊所有的中間件),

 app.Map("/api/health", (applicationBuilder) =>
            {

                applicationBuilder.Run(context =>
               {
                   return context.Response.WriteAsync(uName.Result, Encoding.UTF8);
               });
            });

 

3、代理

netcore 已經為我們完成了一些工作,提供了DispatchProxy 這個類

#region 程式集 System.Reflection.DispatchProxy, Version=4.0.4.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a
// C:\Program Files\dotnet\sdk\NuGetFallbackFolder\microsoft.netcore.app\2.2.0\ref\netcoreapp2.2\System.Reflection.DispatchProxy.dll
#endregion

namespace System.Reflection
{
    //
    public abstract class DispatchProxy
    {
        //
        protected DispatchProxy();

        //
        // 類型參數:
        //   T:
        //
        //   TProxy:
        public static T Create<T, TProxy>() where TProxy : DispatchProxy;
        //
        // 參數:
        //   targetMethod:
        //
        //   args:
        protected abstract object Invoke(MethodInfo targetMethod, object[] args);
    }
}
View Code

這個類提供了一個實例方法,一個靜態方法:

Invoke(MethodInfo targetMethod, object[] args) 註解1

Create<T, TProxy>()註解2

Create 創建代理的實例對象,實例對象在調用方法時候會自動執行Invoke

 

 

首先我們創建一個動態代理類  ProxyDecorator<T>:DispatchProxy  需要繼承DispatchProxy 

在DispatchProxy 的靜態方法  Create<T, TProxy>()中要求 TProxy : DispatchProxy

ProxyDecorator 重寫  DispatchProxy的虛方法invoke 

我們可以在ProxyDecorator 類中添加一些其他方法,比如:異常處理,MethodInfo執行前後的處理。

重點要講一下 

ProxyDecorator 中需要傳遞一個 T類型的變數 decorated 。

因為  DispatchProxy.Create<T, ProxyDecorator<T>>(); 會創建一個新的T的實例對象 ,這個對象是代理對象實例,我們將 decorated 綁定到這個代理實例上

接下來這個代理實例在執行T類型的任何方法時候都會用到 decorated,因為 [decorated] 會被傳給  targetMethod.Invoke(decorated, args)   (targetMethod 來自註解1) ,invoke相當於執行

這樣說的不是很明白,我們直接看代碼

  1 using System;
  2 using System.Collections.Generic;
  3 using System.Linq;
  4 using System.Linq.Expressions;
  5 using System.Reflection;
  6 using System.Text;
  7 using System.Threading.Tasks;
  8 
  9 namespace TestWFW
 10 {
 11     public class ProxyDecorator<T> : DispatchProxy
 12     {
 13         //關鍵詞 RealProxy
 14         private T decorated;
 15         private event Action<MethodInfo, object[]> _afterAction;   //動作之後執行
 16         private event Action<MethodInfo, object[]> _beforeAction;   //動作之前執行
 17 
 18         //其他自定義屬性,事件和方法
 19         public ProxyDecorator()
 20         {
 21 
 22         }
 23 
 24 
 25         /// <summary>
 26         /// 創建代理實例
 27         /// </summary>
 28         /// <param name="decorated">代理的介面類型</param>
 29         /// <returns></returns>
 30         public T Create(T decorated)
 31         {
 32 
 33             object proxy = Create<T, ProxyDecorator<T>>();   //調用DispatchProxy 的Create  創建一個新的T
 34             ((ProxyDecorator<T>)proxy).decorated = decorated;       //這裡必須這樣賦值,會自動未proxy 添加一個新的屬性
                                            //其他的請如法炮製
 35 

          return (T)proxy; 36 }
37 38 /// <summary> 39 /// 創建代理實例 40 /// </summary> 41 /// <param name="decorated">代理的介面類型</param> 42 /// <param name="beforeAction">方法執行前執行的事件</param> 43 /// <param name="afterAction">方法執行後執行的事件</param> 44 /// <returns></returns> 45 public T Create(T decorated, Action<MethodInfo, object[]> beforeAction, Action<MethodInfo, object[]> afterAction) 46 { 47 48 object proxy = Create<T, ProxyDecorator<T>>(); //調用DispatchProxy 的Create 創建一個新的T 49 ((ProxyDecorator<T>)proxy).decorated = decorated; 50 ((ProxyDecorator<T>)proxy)._afterAction = afterAction; 51 ((ProxyDecorator<T>)proxy)._beforeAction = beforeAction; 52 //((GenericDecorator<T>)proxy)._loggingScheduler = TaskScheduler.FromCurrentSynchronizationContext(); 53 return (T)proxy; 54 } 55 56 57 58 protected override object Invoke(MethodInfo targetMethod, object[] args) 59 { 60 if (targetMethod == null) throw new Exception("無效的方法"); 61 62 try 63 { 64 //_beforeAction 事件 65 if (_beforeAction != null) 66 { 67 this._beforeAction(targetMethod, args); 68 } 69 70 71 object result = targetMethod.Invoke(decorated, args); 72              System.Diagnostics.Debug.WriteLine(result);      //列印輸出面板 73 var resultTask = result as Task; 74 if (resultTask != null) 75 { 76 resultTask.ContinueWith(task => //ContinueWith 創建一個延續,該延續接收調用方提供的狀態信息並執行 當目標系統 tasks。 77 { 78 if (task.Exception != null) 79 { 80 LogException(task.Exception.InnerException ?? task.Exception, targetMethod); 81 } 82 else 83 { 84 object taskResult = null; 85 if (task.GetType().GetTypeInfo().IsGenericType && 86 task.GetType().GetGenericTypeDefinition() == typeof(Task<>)) 87 { 88 var property = task.GetType().GetTypeInfo().GetProperties().FirstOrDefault(p => p.Name == "Result"); 89 if (property != null) 90 { 91 taskResult = property.GetValue(task); 92 } 93 } 94 if (_afterAction != null) 95 { 96 this._afterAction(targetMethod, args); 97 } 98 } 99 }); 100 } 101 else 102 { 103 try 104 { 105 // _afterAction 事件 106 if (_afterAction != null) 107 { 108 this._afterAction(targetMethod, args); 109 } 110 } 111 catch (Exception ex) 112 { 113 //Do not stop method execution if exception 114 LogException(ex); 115 } 116 } 117 118 return result; 119 } 120 catch (Exception ex) 121 { 122 if (ex is TargetInvocationException) 123 { 124 LogException(ex.InnerException ?? ex, targetMethod); 125 throw ex.InnerException ?? ex; 126 } 127 else 128 { 129 throw ex; 130 } 131 } 132 133 } 134 135 136 /// <summary> 137 /// aop異常的處理 138 /// </summary> 139 /// <param name="exception"></param> 140 /// <param name="methodInfo"></param> 141 private void LogException(Exception exception, MethodInfo methodInfo = null) 142 { 143 try 144 { 145 var errorMessage = new StringBuilder(); 146 errorMessage.AppendLine($"Class {decorated.GetType().FullName}"); 147 errorMessage.AppendLine($"Method {methodInfo?.Name} threw exception"); 148 errorMessage.AppendLine(exception.Message); 149 150 //_logError?.Invoke(errorMessage.ToString()); 記錄到文件系統 151 } 152 catch (Exception) 153 { 154 // ignored 155 //Method should return original exception 156 } 157 } 158 } 159 }

 

代碼比較簡單,相信大家都看的懂,關鍵的代碼和核心的系統代碼已經加粗和加加粗+紅 標註出來了

DispatchProxy<T> 類中有兩種創建代理實例的方法

我們看一下第一種比較簡單的創建方法

        // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
        public void Configure(IApplicationBuilder app, IHostingEnvironment env )
        {
            if (env.IsDevelopment())
            {
                app.UseDeveloperExceptionPage();
            }



            // 添加健康檢查路由地址
            app.Map("/api/health", (applicationBuilder) =>
            {

                applicationBuilder.Run(context =>
               {
                   IUserService userService = new UserService();
                   //執行代理
                   var serviceProxy = new ProxyDecorator<IUserService>();
                   IUserService user = serviceProxy.Create(userService);  //
                   Task<string> uName = user.GetUserName(222);
                   context.Response.ContentType = "text/plain;charset=utf-8";

                   return context.Response.WriteAsync(uName.Result, Encoding.UTF8);
               });
            });
}

代碼中 UserService 和 IUserService 是一個class和interface  自己實現即可 ,隨便寫一個介面,並用類實現,任何一個方法就行,下麵只是演示調用方法時候會執行什麼,這個方法本身在岩石中並不重要。

 由於ProxyDecorator 中並未註入相關事件,所以我們在調用 user.GetUserName(222) 時候看不到任何特別的輸出。下麵我們演示一個相對複雜的調用方式。

    // 添加健康檢查路由地址
            app.Map("/api/health2", (applicationBuilder) =>
            {
                applicationBuilder.Run(context =>
                {
                    IUserService userService = new UserService();
                    //執行代理
                    var serviceProxy = new ProxyDecorator<IUserService>();
                    IUserService user = serviceProxy.Create(userService, beforeEvent, afterEvent);  //
                    Task<string> uName = user.GetUserName(222);
                    context.Response.ContentType = "text/plain;charset=utf-8";

                    return context.Response.WriteAsync(uName.Result, Encoding.UTF8);

                });
            });

 IUserService user = serviceProxy.Create(userService, beforeEvent, afterEvent); 在創建代理實例時候傳遞了beforEvent 和 afterEvent,這兩個事件處理
函數是我們在業務中定義的

void beforeEvent(MethodInfo methodInfo, object[] arges)
{
System.Diagnostics.Debug.WriteLine("方法執行前");
}

void afterEvent(MethodInfo methodInfo, object[] arges)
{
System.Diagnostics.Debug.WriteLine("執行後的事件");
}

在代理實例執行介面的任何方法的時候都會執行  beforeEvent,和 afterEvent 這兩個事件(請參考Invoke(MethodInfo targetMethod, object[] args) 方法的實現)

在我們的示例中將會在vs的 輸出 面板中看到 

 

 

方法執行前

“方法輸出的值”

執行後事件

我們看下運行效果圖:

 

 

 

 這是 user.GetUserName(222) 的運行結果

 

 控制台輸出結果

 


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 場景 在Winform程式中,需要將一些配置項存到配置文件中,這時就需要自定義xml的配置文件格式。併在一些工具類中去獲取配置文件的路徑並載入其內容。 關註公眾號霸道的程式猿獲取編程相關電子書、教程推送與免費下載。 實現 首先在項目下新建文件夾,命名為config,然後右鍵添加xml文件。 自定義x ...
  • 這個問題困擾了我N個小時,sqlite 用的是國際標準ISO 8601標準. 反正我是不知道什麼原因,我的格式可是都是yyyyMMdd hhmmss格式的,沒有什麼長的不一樣,最後在網上看到一個解決方案是 直接 ToString("s"), 後來我同事使用的是js插入的數據,所以我不可以這樣搞,只能 ...
  • UseDeveloperExceptionPage 中間件 我們談談在 Startup 類的 Configure()方法中以下代碼: 如果我們使用上面的代碼運行我們的應用程式,我們看不到異常,而是看到“來自 Default.html 頁面中的 Hello”。如果您瞭解 asp.net Core 請求 ...
  • Asp.Net Core 中的靜態文件 在這節中我們將討論如何使 ASP.NET Core 應用程式,支持靜態文件,如 HTML,圖像,CSS 和 JavaScript 文件。 靜態文件 預設情況下,Asp.Net Core 應用程式不會提供靜態文件。 靜態文件的預設目錄是wwwroot,此目錄必須 ...
  • 1.SpeechSynthesizer文字轉音頻 項目添加引用:System.Speech using(SpeechSynthesizer speech = new SpeechSynthesizer) { speech.Rate = 0; //語速 speech.Volume = 100; //音 ...
  • 現在的手游基本都是重覆操作,一個動作要等好久,結束之後繼續另一個動作.很麻煩,所以動起了自己寫一個游戲輔助的心思. 這個輔助本身沒什麼難度,就是通過不斷的截圖,然後從這個截圖中找出預先截好的能代表相應動作的按鈕或者觸發條件的小圖. 找到之後獲取該子區域的左上角坐標,然後通過windows API調用 ...
  • 1.form1的button事件下: form2 form = new form2(); form.Show(); Thread.Sleep(10000); //form2窗體顯示10秒 form.Close(); //form2窗體關閉 2.form1的button事件下: form2 form ...
  • C#從伺服器下載文件可以使用下麵4個方法:TransmitFile、WriteFile、WriteFile和流方式下載文件,並保存為相應類型,方法如下: 1、TransmitFile實現下載 protected void Button1_Click(object sender, EventArgs ... ...
一周排行
    -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.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...