.NET Core開發日誌——Filter

来源:https://www.cnblogs.com/kenwoo/archive/2018/08/25/9532317.html
-Advertisement-
Play Games

ASP.NET Core MVC中的Filter作用是在請求處理管道的某些階段之前或之後可以運行特定的代碼。 Filter特性在之前的ASP.NET MVC中已經出現,但過去只有Authorization,Exception,Action,Result四種類型,現在又增加了一種Resource類型。 ...


ASP.NET Core MVC中的Filter作用是在請求處理管道的某些階段之前或之後可以運行特定的代碼。

Filter特性在之前的ASP.NET MVC中已經出現,但過去只有Authorization,Exception,Action,Result四種類型,現在又增加了一種Resource類型。所以共計五種。

Resource類型Filter在Authorization類型Filter之後執行,但又在其它類型的Filter之前。且執行順序也在Model Binding之前,所以可以對Model Binding產生影響。

ASP.NET Core MVC框架中可以看到有ConsumesAttribute及FormatFilter兩種實現IResourceFilter介面的類。

ConsumesAttribute會按請求中的Content-Type(內容類型)進行過濾,而FormatFilter能對路由或路徑中設置了format值的請求作過濾。

一旦不符合要求,就對ResourceExecutingContext的Result屬性設置,這樣可以達到短路效果,阻止進行下麵的處理。

ConsumesAttribute類的例子:

public void OnResourceExecuting(ResourceExecutingContext context)
{
    ...

    // Only execute if the current filter is the one which is closest to the action.
    // Ignore all other filters. This is to ensure we have a overriding behavior.
    if (IsApplicable(context.ActionDescriptor))
    {
        var requestContentType = context.HttpContext.Request.ContentType;

        // Confirm the request's content type is more specific than a media type this action supports e.g. OK
        // if client sent "text/plain" data and this action supports "text/*".
        if (requestContentType != null && !IsSubsetOfAnyContentType(requestContentType))
        {
            context.Result = new UnsupportedMediaTypeResult();
        }
    }
}

Filter在ASP.NET Core MVC里除了保留原有的包含同步方法的介面,現在又增加了包含非同步方法的介面。

同步

  • IActionFilter
  • IAuthorizationFilter
  • IExceptionFilter
  • IResourceFilter
  • IResultFilter

非同步

  • IAsyncActionFilter
  • IAsyncAuthorizationFilter
  • IAsyncExceptionFilter
  • IAsyncResourceFilter
  • IAsyncResultFilter

新的介面不像舊有的介面包含兩個同步方法,它們只有一個非同步方法。但可以實現同樣的功能。

public class SampleAsyncActionFilter : IAsyncActionFilter
{
    public async Task OnActionExecutionAsync(
        ActionExecutingContext context,
        ActionExecutionDelegate next)
    {
        // 在方法處理前執行一些操作
        var resultContext = await next();
        // 在方法處理後再執行一些操作。
    }
}

Attribute形式的Filter,其構造方法里只能傳入一些基本類型的值,例如字元串:

public class AddHeaderAttribute : ResultFilterAttribute
{
    private readonly string _name;
    private readonly string _value;

    public AddHeaderAttribute(string name, string value)
    {
        _name = name;
        _value = value;
    }

    public override void OnResultExecuting(ResultExecutingContext context)
    {
        context.HttpContext.Response.Headers.Add(
            _name, new string[] { _value });
        base.OnResultExecuting(context);
    }
}


[AddHeader("Author", "Steve Smith @ardalis")]
public class SampleController : Controller

如果想要在其構造方法里引入其它類型的依賴,現在可以使用ServiceFilterAttribute,TypeFilterAttribute或者IFilterFactory方式。

ServiceFilterAttribute需要在DI容器中註冊:

public class GreetingServiceFilter : IActionFilter
{
    private readonly IGreetingService greetingService;

    public GreetingServiceFilter(IGreetingService greetingService)
    {
        this.greetingService = greetingService;
    }

    public void OnActionExecuting(ActionExecutingContext context)
    {
        context.ActionArguments["param"] = 
            this.greetingService.Greet("James Bond");
    }

    public void OnActionExecuted(ActionExecutedContext context)
    { }
}


services.AddScoped<GreetingServiceFilter>();


[ServiceFilter(typeof(GreetingServiceFilter))]
public IActionResult GreetService(string param)

TypeFilterAttribute則沒有必要:

public class GreetingTypeFilter : IActionFilter
{
    private readonly IGreetingService greetingService;

    public GreetingTypeFilter(IGreetingService greetingService)
    {
        this.greetingService = greetingService;
    }

    public void OnActionExecuting(ActionExecutingContext context)
    {
        context.ActionArguments["param"] = this.greetingService.Greet("Dr. No");
    }

    public void OnActionExecuted(ActionExecutedContext context)
    { }
}

[TypeFilter(typeof(GreetingTypeFilter))]
public IActionResult GreetType1(string param)

IFilterFactory也是不需要的:

public class GreetingFilterFactoryAttribute : Attribute, IFilterFactory
{
    public bool IsReusable => false;

    public IFilterMetadata CreateInstance(IServiceProvider serviceProvider)
    {
        var logger = (IGreetingService)serviceProvider.GetService(typeof(IGreetingService));
        return new GreetingFilter(logger);
    }

    private class GreetingFilter : IActionFilter
    {
        private IGreetingService _greetingService;
        public GreetingFilter(IGreetingService greetingService)
        {
            _greetingService = greetingService;
        }
        public void OnActionExecuted(ActionExecutedContext context)
        {
        }

        public void OnActionExecuting(ActionExecutingContext context)
        {
            context.ActionArguments["param"] = _greetingService.Greet("Dr. No");
        }
    }
    }

[GreetingFilterFactory]
public IActionResult GreetType1(string param)

Filter有三種範圍:

  • Global
  • Controller
  • Action

後兩種可以通過Attribute的方式附加到特定Action方法或者Controller類之上。對於Global,則要在ConfigureServices方法內部添加。

public void ConfigureServices(IServiceCollection services)
{
    services.AddMvc(options =>
    {
        // by instance
        options.Filters.Add(new AddDeveloperResultFilter("Tahir Naushad"));

        // by type
        options.Filters.Add(typeof(GreetDeveloperResultFilter)); 
    });

}

顧名思義,Global將對所有Controller及Action產生影響。所以務必對其小心使用。

這三種範圍的執行順序在設計程式的時候也需要多作考慮:

  1. Global範圍的前置處理代碼
  2. Controller範圍的前置處理代碼
  3. Action範圍的前置處理代碼
  4. Action範圍的後置處理代碼
  5. Controller範圍的後置處理代碼
  6. Global範圍的後置處理代碼

典型的前置處理代碼如常見的OnActionExecuting方法,而常見的後置處理代碼,則是像OnActionExecuted方法這般的。


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

-Advertisement-
Play Games
更多相關文章
  • 個人練習 讀入n名學生的姓名、學號、成績,分別輸出成績最高和成績最低學生的姓名和學號。 輸入格式:每個測試輸入包含1個測試用例,格式為\ 其中姓名和學號均為不超過10個字元的字元串,成績為0到100之間的一個整數,這裡保證在一組測試用例中沒有兩個學生的成績是相同的。 輸出格式:對每個測試用例輸出2行 ...
  • 給定一個二叉樹,返回所有從根節點到葉子節點的路徑。 說明: 葉子節點是指沒有子節點的節點。 示例: 輸入: 1 / \ 2 3 \ 5 輸出: ["1->2->5", "1->3"] 解釋: 所有根節點到葉子節點的路徑為: 1->2->5, 1->3 給定一個二叉樹,返回所有從根節點到葉子節點的路徑 ...
  • 個人練習 為了用事實說明挖掘機技術到底哪家強,PAT 組織了一場挖掘機技能大賽。現請你根據比賽結果統計出技術最強的那個學校。 輸入格式: 輸入在第 1 行給出不超過 10​^5的正整數 N,即參賽人數。隨後 N 行,每行給出一位參賽者的信息和成績,包括其所代表的學校的編號(從 1 開始連續編號)、及 ...
  • 正則表達式的用法與案例分析 2018-08-24 21:26:14 【說明】:該文主要為了隨後複習和使用備查,由於做了word文檔筆記,所以此處博文沒有怎麼排版,沒放代碼,以插入圖片為主, 一、正則表達式之特殊字元 註意: 以下的案例中是match()匹配,match是要求從第一個字元開始匹配,所以 ...
  • Flask Flask是一個基於Python開發並且依賴jinja2模板和Werkzeug WSGI服務的一個微型框架,對於Werkzeug本質是Socket服務端,其用於接收http請求並對請求進行預處理,然後觸發Flask框架,開發人員基於Flask框架提供的功能對請求進行相應的處理,並返回給用 ...
  • 01.1 Windows環境下JDK安裝與環境變數配置詳細的圖文教程 本節內容:JDK安裝與環境變數配置 以下是詳細步驟 一、準備工具: 1.JDK JDK 可以到官網下載 "http://www.oracle.com/technetwork/java/javase/downloads/jdk8 d ...
  • 前言 眾所周知,Java中有多種針對文件的操作類,以面向位元組流和字元流可分為兩大類,這裡以寫入為例: 面向位元組流的:FileOutputStream 和 BufferedOutputStream 面向字元流的:FileWriter 和 BufferedWriter 近年來發展出New I/O ,也叫 ...
  • 今日內容介紹 1、Java開發環境搭建 2、HelloWorld案例 3、註釋、關鍵字、標識符 4、數據(數據類型、常量) ...
一周排行
    -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.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...