白嫖一個WebAPI限流解決方案

来源:https://www.cnblogs.com/libo962464/archive/2023/02/14/17120659.html
-Advertisement-
Play Games

什麼是API限流: API 限流是限制用戶在一定時間內 API 請求數量的過程。應用程式編程介面 (API) 充當用戶和軟體應用程式之間的網關。例如,當用戶單擊社交媒體上的發佈按鈕時,點擊該按鈕會觸發 API 調用。此 API 與社交媒體應用程式的網路伺服器進行交互,並執行發佈操作。此用戶可以是人, ...


什麼是API限流:

API 限流是限制用戶在一定時間內 API 請求數量的過程。應用程式編程介面 (API) 充當用戶和軟體應用程式之間的網關。例如,當用戶單擊社交媒體上的發佈按鈕時,點擊該按鈕會觸發 API 調用。此 API 與社交媒體應用程式的網路伺服器進行交互,並執行發佈操作。此用戶可以是人,也可以是其他軟體應用程式。

為什麼要限流:

API 是組織最大的資產之一。API 可幫助網站或移動應用程式的用戶完成任務。隨著用戶數量的增加,網站或移動應用程式開始出現性能下降的跡象。因此,擁有更好連接或更快界面的用戶可能會獲得比其他用戶更好的體驗。API 限流是一種巧妙的解決方案,可幫助組織確保其 API 的合理使用。

API 限流還有助於抵禦拒絕服務 (DoS) 攻擊,在 DoS 攻擊中,惡意用戶發送大量請求以使網站或移動應用程式崩潰。隨著線上用戶數量的增加,企業需要實施 API 限流機制,以確保公平使用、數據安全並防止惡意攻擊。

API限流的原理:

雖然 API 限流有多種演算法,但以下是所有 API 限流演算法的基本步驟:

1.客戶端/用戶調用與網路服務或應用程式交互的 API。

2.API 限流邏輯會檢查當前請求是否超過允許的 API 調用次數。

3.如果請求在限制範圍內,API 將照常執行並完成用戶的任務。

4.如果請求超出限制,API 會向用戶返回錯誤響應。

5.用戶必須等待預先約定的時間段,或者付費才能進行更多的 API 調用。

這裡有篇文章介紹很全面,可以看一看《API 限流技術探索與實踐

這個限流方案也是在百度收集整理而來,我這裡採取的是滑動演算法:

我們需要準備幾個類:

1.ApiAuthorize類

ApiAuthorize繼承於IAuthorizationFilter(授權過濾器),和IAuthorizationFilter相同的還有其他三種過濾器,合起來稱為四大過濾器,

另外三個分別是IResourceFilter資源過濾器(緩存介面的數據),IActionFilter動作過濾器(記錄操作日誌),IExceptionFilter(錯誤過濾器)

IAuthorizationFilter

public class CtmAuthorizationFilterAttribute : Attribute, IAuthorizationFilter
{
     public void OnAuthorization(AuthorizationFilterContext context)
     {
         // context.HttpContext.User.Claims
         context.HttpContext.Items["User"] = "HuangMing";
         System.Console.WriteLine("OnAuthorization");
     }
}
View Code

IResourceFilter

//Program.cs中註冊緩存:
builder.Services.AddSingleton<IMemoryCache,MemoryCache>();
builder.Services.AddSingleton<IDistributedCache, MemoryDistributedCache>();
var app = builder.Build();


public class CtmResourceFilterAttribute : Attribute, IResourceFilter
{
    private readonly IMemoryCache _cache;
 
    public CtmResourceFilterAttribute(IMemoryCache cache)
    {
        this._cache = cache;
    }
 
    public void OnResourceExecuted(ResourceExecutedContext context)
    {
        var path = context.HttpContext.Request.Path.ToString();
        if (context.Result != null)
        {
            var value =  (context.Result as ObjectResult).Value.ToString();
            _cache.Set(path, value,TimeSpan.FromHours(1));
        }
    }
 
    public void OnResourceExecuting(ResourceExecutingContext context)
    {
        var path = context.HttpContext.Request.Path.ToString();
        var hasValue = _cache.TryGetValue(path, out object value);
        if (hasValue)
        {
            context.Result = new ContentResult
            {
                Content = value.ToString()
            };
        }
    }
}
View Code

IActionFilter

public class CtmActionFilterAttribute : Attribute, IActionFilter
{
    public void OnActionExecuted(ActionExecutedContext context)
    {
    }
 
    public void OnActionExecuting(ActionExecutingContext context)
    {
        //從serviceProvider中獲取Logger服務
        var logger =  context.HttpContext.RequestServices.GetService<ILogger<CtmActionFilterAttribute>>();
        //獲取路由地址
        var path = context.HttpContext.Request.Path;
        //從RouteData字典中獲取控制器名稱
        var controller = context.RouteData.Values["controller"];
        //從RouteData字典中獲取動作名稱
        var action = context.RouteData.Values["action"];
        //從ActionArguments中獲取介面參數
        var arguments = string.Join(",", context.ActionArguments);
        logger.LogInformation($"訪問的路由:{path},控制器是{controller},行為是{action},參數是{arguments}");
    }
}
 
//當過濾器中需要使用依賴註入時,在使用屬性標註時,需要使用如下方式:
1.屬性標註
[TypeFilter(typeof(CtmActionFilterAttribute))]
 
2.從容器中獲取服務
var logger =  context.HttpContext.RequestServices.GetService<ILogger<CtmActionFilterAttribute>>();
View Code

IActionFilter

public class CtmExceptionFilterAttribute : Attribute, IExceptionFilter
{
    public void OnException(ExceptionContext context)
    {
        context.Result = new ContentResult{
            Content =context.Exception.Message
        };
    }
}
View Code

現在編寫自己的項目代碼

ApiAuthorize

public class ApiAuthorize : IAuthorizationFilter
    {
        public async void OnAuthorization(AuthorizationFilterContext context)
         {
            if (context.Filters.Contains(new MyNoAuthentication()))
            {
                return;
            }

           

            #region 用戶請求限流
            {
                string ip = context.HttpContext.Connection.RemoteIpAddress.ToString();
                var cotrollaction = context.ActionDescriptor;
                string action = cotrollaction.RouteValues["action"].ToString();
                string controller = cotrollaction.RouteValues["controller"].ToString();
                if (string.IsNullOrWhiteSpace(ip) || string.IsNullOrWhiteSpace(controller) || string.IsNullOrWhiteSpace(action))
                {
                    context.Result = new JsonResult("系統正忙,請稍微再試!");
                    return;
                }
                ip = ip + ":" + controller + ":" + action;
                IPCacheInfoModel ipModel = IPCacheHelper.GetIPLimitInfo(ip);
                if (!ipModel.IsVisit)
                {
                    context.Result = new JsonResult("系統正忙,請稍微再試!");
                    return;
                }
                string ACting = controller + ":" + action;
                IPCacheInfoModel ipModel2 = IPCacheHelper.GetIPLimitInfo(ACting);


            }
            #endregion


            
            #endregion
        }

    }
View Code

然後編寫 MyAuthentication類

MyAuthentication

/// <summary>
/// 構造引用
/// </summary>
    public class MyAuthentication : Attribute, IFilterMetadata
    {
    }
    public class MyNoAuthentication : Attribute, IFilterMetadata
    {
    }
View Code

以上兩個可以做限流也能做鑒權,數據簽名認證等

如果需要限流,我們還需要三個類:

IPActionFilterAttribute 信息返回類

using System;
using System.Collections.Generic;
using System.Net;
using System.Net.Http;
using System.Threading.Tasks;
using System.Web.Http.Controllers;
using System.Web.Http.Filters;

namespace EvaluationSystem.XLAction
{
    /// <summary>
    /// 限制單個IP短時間內訪問次數
    /// </summary>
    [AttributeUsage(AttributeTargets.Class | AttributeTargets.Method, AllowMultiple = false)]
    public class IPActionFilterAttribute : ActionFilterAttribute
    {
        /// <summary>
        /// 限制單個IP短時間內訪問次數
        /// </summary>
        /// <param name="actionContext"></param>
        public override void OnActionExecuting(HttpActionContext actionContext)
        {
            string ip = actionContext.Request.ToString();
            IPCacheInfoModel ipModel = IPCacheHelper.GetIPLimitInfo(ip);
            if (!ipModel.IsVisit)
            {
                // Logger.Warn(string.Format("IP【{0}】被限制了【{1}】次數", ipModel.IP, ipModel.Limit));
                actionContext.Response = actionContext.Request.CreateResponse(HttpStatusCode.BadRequest, "系統正忙,請稍微再試。");
                return;
            }
            base.OnActionExecuting(actionContext);
        }

    }
}
View Code

IPCacheHelper 請求記錄類

using EvaluationSystem.HelpTool;
using EvaluationSystem.HelpTool.GetSYSValue;
using System;
using System.Collections.Generic;

namespace EvaluationSystem.XLAction
{
    /// <summary>
    /// 限制單個IP訪問次數
    /// </summary>
    public class IPCacheHelper
    {
        /// <summary>         
        /// IP緩存集合          
        /// </summary>       
        private static List<IPCacheInfoModel> dataList = new List<IPCacheInfoModel>();

        private static object lockObj = new object();
        //SQLHelp ht = new SQLHelp();
        public static string  maxTimes1 = GetConfig.GetConfiguration("XLAction:maxTimes");
        public static string partSecond1 = GetConfig.GetConfiguration("XLAction:partSecond");

        /// <summary>        
        /// 一段時間內,最大請求次數,必須大於等於1
        ///</summary> 
        private static int maxTimes = Convert.ToInt32(string.IsNullOrWhiteSpace(maxTimes1)? "0":maxTimes1);

        /// <summary>  
        /// 一段時間長度(單位秒),必須大於等於1     
        /// </summary>
        private static int partSecond = Convert.ToInt32(string.IsNullOrWhiteSpace(partSecond1) ? "0" : partSecond1);

        /// <summary>  
        /// 請求被拒絕是否加入請求次數    
        /// </summary>  
        private static bool isFailAddIn = false;

        static IPCacheHelper()
        {

        }
        /// <summary>      
        /// 設置時間,預設maxTimes=3, partSecond=30         
        /// </summary>        
        /// <param name="_maxTimes">最大請求次數</param>        
        /// <param name="_partSecond">請求單位時間</param>         
        public static void SetTime(int _maxTimes, int _partSecond)
        {
            maxTimes = _maxTimes;
            partSecond = _partSecond;
        }

        /// <summary>    
        /// 檢測一段時間內,IP的請求次數是否可以繼續請求和使用  
        /// </summary>        
        /// <param name="ip">ip</param>   
        /// <returns></returns>       
        public static bool CheckIsAble(string ip)
        {
            lock (lockObj)
            {
                var item = dataList.Find(p => p.IP == ip);
                if (item == null)
                {
                    item = new IPCacheInfoModel();
                    item.IP = ip;
                    item.ReqTime.Add(DateTime.Now);
                    dataList.Add(item);
                    return true;
                }
                else
                {
                    if (item.ReqTime.Count > maxTimes)
                    {
                        item.ReqTime.RemoveAt(0);
                    }
                    var nowTime = DateTime.Now;
                    if (isFailAddIn)
                    {
                        #region 請求被拒絕也需要加入當次請求
                        item.ReqTime.Add(nowTime);
                        if (item.ReqTime.Count >= maxTimes)
                        {
                            if (item.ReqTime[0].AddSeconds(partSecond) > nowTime)
                            {
                                return false;
                            }
                            else
                            {
                                return true;
                            }
                        }
                        else
                        {
                            return true;
                        }
                        #endregion
                    }
                    else
                    {
                        #region 請求被拒絕就不需要加入當次請求了
                        if (item.ReqTime.Count >= maxTimes)
                        {
                            if (item.ReqTime[0].AddSeconds(partSecond) > nowTime)
                            {
                                return false;
                            }
                            else
                            {
                                item.ReqTime.Add(nowTime);
                                return true;
                            }
                        }
                        else
                        {
                            item.ReqTime.Add(nowTime);
                            return true;
                        }
                        #endregion
                    }
                }
            }
        }


        /// <summary>    
        /// 檢測一段時間內,IP的請求次數是否可以繼續請求和使用  
        /// </summary>        
        /// <param name="ip">ip</param>   
        /// <returns></returns>       
        public static IPCacheInfoModel GetIPLimitInfo(string ip)
        {
            lock (lockObj)
            {
                var item = dataList.Find(p => p.IP == ip);
                if (item == null) //IP開始訪問
                {
                    item = new IPCacheInfoModel();
                    item.IP = ip;
                    item.ReqTime.Add(DateTime.Now);
                    dataList.Add(item);
                    item.IsVisit = true; //可以繼續訪問

                    return item;
                }
                else
                {
                    if (item.ReqTime.Count > maxTimes)
                    {
                        item.ReqTime.RemoveAt(0);
                    }
                    var nowTime = DateTime.Now;
                    if (isFailAddIn)
                    {
                        #region 請求被拒絕也需要加入當次請求
                        item.ReqTime.Add(nowTime);

                        if (item.ReqTime.Count >= maxTimes)
                        {
                            if (item.ReqTime[0].AddSeconds(partSecond) > nowTime)
                            {
                                item.Limit++; //限制次數+1
                                item.IsVisit = false;//不能繼續訪問
                                return item;
                            }
                            else
                            {
                                item.IsVisit = true; //可以繼續訪問
                                return item; //單個IP30秒內 沒有多次訪問
                            }
                        }
                        else
                        {
                            item.IsVisit = true; //可以繼續訪問
                            return item; //單個IP訪問次數沒有達到max次數
                        }
                        #endregion
                    }
                    else
                    {
                        #region 請求被拒絕就不需要加入當次請求了
                        if (item.ReqTime.Count >= maxTimes)
                        {
                            if (item.ReqTime[0].AddSeconds(partSecond) > nowTime)
                            {
                                item.Limit++; //限制次數+1
                                item.IsVisit = false;//不能繼續訪問

                                return item;
                            }
                            else
                            {
                                item.ReqTime.Add(nowTime);

                                item.IsVisit = true; //可以繼續訪問
                                return item;
                            }
                        }
                        else
                        {
                            item.ReqTime.Add(nowTime);
                            item.IsVisit = true; //可以繼續訪問

                            return item;
                        }
                        #endregion
                    }
                }
            }
        }
    }
}
View Code

IPCacheInfoModel 實體類

using System;
using System.Collections.Generic;

namespace EvaluationSystem.XLAction
{
    public class IPCacheInfoModel
    {
        /// <summary>
        /// IP 
        /// </summary>
        public string IP { get; set; }

        /// <summary>
        /// 限制次數
        /// </summary>
        public int Limit { get; set; }

        /// <summary>
        /// 是否可以訪問
        /// </summary>
        public bool IsVisit { get; set; }

        /// <summary>
        /// 訪問時間
        /// </summary>
        private List<DateTime> reqTime = new List<DateTime>();

        /// <summary>
        /// 訪問時間
        /// </summary>
        public List<DateTime> ReqTime
        {
            get { return this.reqTime; }
            set { this.reqTime = value; }
        }
    }
}
View Code

時間按秒算
        private static int maxTimes ;
請求次數
        private static int partSecond ;

為了方便控制,不去修改我們的API程式,可以將這兩個信息配置進appsettings.json文件裡面

  "XLAction": {//請求限流 秒鐘一次
    "maxTimes": "1",
    "partSecond": "1"
  }

為了獲取appsettings.json來買你的信息,我們需要一個方法拿到json裡面的信息

GetConfiguration

    public class GetConfig
    {
        public static string GetConfiguration(string configKey)
        {
            var builder = new ConfigurationBuilder()
                .SetBasePath(Directory.GetCurrentDirectory())
                .AddJsonFile("appsettings.json");
            var config = builder.Build();
            if (configKey.Contains(":"))
            {
                return config.GetSection(configKey).Value;//獲取分級參數值
            }
            else
            {
                return config[configKey];//獲取直級參數值
            }
            //youdianwenti w xiangxiang
        }
    }
View Code

以上工作准備完全後,在我們的Startup裡面修改加入以下代碼

如果有ConfigureServices類,添加如下

            //註冊guolv
            services.AddControllers(o =>
            {
                o.Filters.Add<ApiAuthorize>();
                o.Filters.Add<MyAuthentication>();
                //o.Filters.Add(typeof(BasicAuthAttribute));
                //services.AddJwtEx();//這裡就是註入JWT
            });

 

如果不是 如下添加

builder.Services.AddMvc(options => options.Filters.Add(new AuthorizeFilter()));

//註冊guolv
builder.Services.AddControllers(o =>
{
    o.Filters.Add<ApiAuthorize>();
    o.Filters.Add<MyAuthentication>();
});

然後就大功告成

現在直接看結果

 

 

接著頻繁操作

 

 該方案來自網路加以修改,如有侵權,請聯繫刪除

 

本文來自博客園,作者:酒笙匿清梔,轉載請註明原文鏈接:https://www.cnblogs.com/libo962464/p/17120659.html


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

-Advertisement-
Play Games
更多相關文章
  • Seata是SpringCloud Alibaba開發出的一款開源的分散式事務解決方案,致力於提供高性能和簡單易用的分散式事務服務。Seata 將為用戶提供了 AT 、TCC 、SAGA 和 XA 事務模式,為用戶打造一站式的分散式解決方案。可以很好的解決分散式系統中事務的問題。Seata的主要特點... ...
  • 本文介紹在Anaconda環境中,安裝Python語言pydot與graphviz兩個模塊的方法。 最近進行隨機森林(RF)的樹的可視化操作,需要用到pydot與graphviz模塊;因此記錄一下二者具體的安裝方法。 相關環境的版本信息:Anaconda Navigator:1.10.0;Pytho ...
  • 本篇文章適用於學習過其他面向對象語言(Java、Php),但沒有學過Go語言的初學者。文章主要從Go與Java功能上的對比來闡述Go語言的基礎語法、面向對象編程、併發與錯誤四個方面。 ...
  • 文章內容整理自 博學谷狂野架構師 概述 什麼是函數式介面?簡單來說就是只有一個抽象函數的介面。為了使得函數式介面的定義更加規範,java8 提供了@FunctionalInterface 註解告訴編譯器在編譯器去檢查函數式介面的合法性,以便在編譯器在編譯出錯時給出提示。為了更加規範定義函數介面,給出 ...
  • 教程簡介 數字營銷概述 - 從簡單和簡單的步驟學習數字營銷,從基本到高級概念,包括概述,搜索引擎優化,社交媒體,內容,電子郵件,移動,點擊付費,CRO,網站分析,Facebook,Pinterest,Twitter,Linkedin ,Youtube Marketing,Google Adwords ...
  • 演算法分析 棋盤型狀態壓縮dp 這類dp有一個通用的狀態表示法:f[i][j][k],表示前i行(放了j個棋子後)的狀態表示為k。 由於本題無棋子要求,因此可以省去中間一維, 即: 用f[i][j]表示前i行土地的狀態為j。 首先由於玉米地有不肥沃的地方不能種植,因此需要通過二進位表示出來可以種植和不 ...
  • 摘要:基於.NET Core 7.0WebApi後端架構實戰【1-項目結構分層設計】 2023/02/05, ASP.NET Core 7.0, VS2022 引言 從實習到現在回想自己已經入行四年了,很慶幸自己一直還是從事著開發的工作。這幾年不管是工作還是生活都有很多不甘與失落還有收穫,從學校出來 ...
  • 如果是首次安裝Dev只需要下麵兩步流程就可以第一步安裝試用的最新版 Devexpress 22.2.4這步看直接去官網,安裝官方試用的就可以第二步安裝破解補丁關閉防火牆或360 然後打開 DevExpress.Universal.Patch 選擇22.2 版本 和對應的visual studio 的 ...
一周排行
    -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.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...