如何在 ASP.NET Core 中实现速率限制?

embedded/2025/1/18 15:22:51/

在 ASP.NET Core 中实现速率限制(Rate Limiting)中间件可以帮助你控制客户端对 API 的请求频率,防止滥用和过载。速率限制通常用于保护服务器资源,确保服务的稳定性和可用性。

ASP.NET Core 本身并没有内置的速率限制中间件,但你可以通过自定义中间件或使用第三方库来实现速率限制。以下是实现速率限制的几种常见方法:


1. 使用自定义中间件实现速率限制

你可以通过自定义中间件来实现速率限制。以下是一个简单的实现示例:

1.1 实现速率限制中间件
using Microsoft.AspNetCore.Http;
using System.Collections.Concurrent;
using System.Threading.Tasks;public class RateLimitingMiddleware
{private readonly RequestDelegate _next;private readonly int _maxRequests; // 每分钟允许的最大请求数private readonly ConcurrentDictionary<string, RateLimiter> _rateLimiters;public RateLimitingMiddleware(RequestDelegate next, int maxRequests){_next = next;_maxRequests = maxRequests;_rateLimiters = new ConcurrentDictionary<string, RateLimiter>();}public async Task InvokeAsync(HttpContext context){// 获取客户端的唯一标识(例如 IP 地址)var clientId = context.Connection.RemoteIpAddress.ToString();// 获取或创建速率限制器var rateLimiter = _rateLimiters.GetOrAdd(clientId, _ => new RateLimiter(_maxRequests));if (rateLimiter.AllowRequest()){await _next(context);}else{context.Response.StatusCode = StatusCodes.Status429TooManyRequests;await context.Response.WriteAsync("请求太多。请稍后再试.");}}
}public class RateLimiter
{private readonly int _maxRequests;private int _requestCount;private DateTime _windowStart;public RateLimiter(int maxRequests){_maxRequests = maxRequests;_requestCount = 0;_windowStart = DateTime.UtcNow;}public bool AllowRequest(){var now = DateTime.UtcNow;// 如果当前时间窗口已过期,重置计数器if ((now - _windowStart).TotalSeconds > 60){_requestCount = 0;_windowStart = now;}// 检查请求是否超出限制if (_requestCount < _maxRequests){_requestCount++;return true;}return false;}
}
1.2 注册中间件

在 Startup.cs 中注册中间件:

public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
{app.UseMiddleware<RateLimitingMiddleware>(10); // 每分钟最多 10个请求app.UseRouting();app.UseEndpoints(endpoints =>{endpoints.MapControllers();});
}

2. 使用第三方库实现速率限制

如果你不想自己实现速率限制逻辑,可以使用一些现成的第三方库,例如:

2.1 AspNetCoreRateLimit

AspNetCoreRateLimit 是一个流行的 ASP.NET Core 速率限制库,支持 IP 地址、客户端 ID 和端点级别的速率限制。

安装

通过 NuGet 安装:

dotnet add package AspNetCoreRateLimit
配置

在 Startup.cs 中配置速率限制:

public void ConfigureServices(IServiceCollection services)
{// 添加内存缓存services.AddMemoryCache();// 配置速率限制services.Configure<IpRateLimitOptions>(Configuration.GetSection("IpRateLimiting"));services.AddSingleton<IIpPolicyStore, MemoryCacheIpPolicyStore>();services.AddSingleton<IRateLimitCounterStore, MemoryCacheRateLimitCounterStore>();services.AddSingleton<IRateLimitConfiguration, RateLimitConfiguration>();services.AddSingleton<IProcessingStrategy, AsyncKeyLockProcessingStrategy>();services.AddInMemoryRateLimiting();
}public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
{app.UseIpRateLimiting();app.UseRouting();app.UseEndpoints(endpoints =>{endpoints.MapControllers();});
}
配置文件

在 appsettings.json 中添加速率限制配置:

{"IpRateLimiting": {"EnableEndpointRateLimiting": true,"StackBlockedRequests": false,"RealIpHeader": "X-Real-IP","ClientIdHeader": "X-ClientId","GeneralRules": [{"Endpoint": "*","Period": "1m","Limit": 10}]}
}

3. 使用分布式缓存实现速率限制

如果你的应用是分布式的(例如部署在 Kubernetes 或多个服务器上),可以使用分布式缓存(如 Redis)来实现速率限制。

3.1 使用 Redis 实现速率限制

你可以使用 Redis 来存储每个客户端的请求计数。以下是一个简单的示例:

using Microsoft.AspNetCore.Http;
using StackExchange.Redis;
using System.Threading.Tasks;public class RedisRateLimitingMiddleware
{private readonly RequestDelegate _next;private readonly int _maxRequests;private readonly ConnectionMultiplexer _redis;public RedisRateLimitingMiddleware(RequestDelegate next, int maxRequests, ConnectionMultiplexer redis){_next = next;_maxRequests = maxRequests;_redis = redis;}public async Task InvokeAsync(HttpContext context){var clientId = context.Connection.RemoteIpAddress.ToString();var db = _redis.GetDatabase();var key = $"rate_limit:{clientId}";var requestCount = await db.StringIncrementAsync(key);if (requestCount == 1){await db.KeyExpireAsync(key, TimeSpan.FromMinutes(1));}if (requestCount > _maxRequests){context.Response.StatusCode = StatusCodes.Status429TooManyRequests;await context.Response.WriteAsync("请求太多。请稍后再试.");}else{await _next(context);}}
}
3.2 注册中间件

在 Startup.cs 中注册中间件:

public void ConfigureServices(IServiceCollection services)
{services.AddSingleton<ConnectionMultiplexer>(ConnectionMultiplexer.Connect("localhost:6379"));
}public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
{app.UseMiddleware<RedisRateLimitingMiddleware>(10); // 每分钟最多 10个请求app.UseRouting();app.UseEndpoints(endpoints =>{endpoints.MapControllers();});
}

4. 总结

在 ASP.NET Core 中实现速率限制有多种方式:

  • 自定义中间件:适合简单的场景,但需要自己实现逻辑。
  • 第三方库:如 AspNetCoreRateLimit,提供了更强大的功能和灵活性。
  • 分布式缓存:如 Redis,适合分布式环境。

根据你的需求选择合适的方式,确保你的 API 能够有效防止滥用和过载。

   

关注灵活就业新业态,关注公账号:贤才宝(贤才宝https://www.51xcbw.com)


http://www.ppmy.cn/embedded/154974.html

相关文章

react什么时候用箭头函数,什么时候不需要

最近从vue项目转到react&#xff0c;太久没写了。遇到了一些卡住的问题&#xff0c;记录一下。 在 JavaScript 和 React 开发中&#xff0c;箭头函数&#xff08;Arrow Functions&#xff09;的使用主要取决于上下文、代码简洁性和特定需求。以下是关于何时使用箭头函数以及何时…

免费为企业IT规划WSUS:Windows Server 更新服务 (WSUS) 之快速入门教程(一)

哈喽大家好&#xff0c;欢迎来到虚拟化时代君&#xff08;XNHCYL&#xff09;&#xff0c;收不到通知请将我点击星标&#xff01;“ 大家好&#xff0c;我是虚拟化时代君&#xff0c;一位潜心于互联网的技术宅男。这里每天为你分享各种你感兴趣的技术、教程、软件、资源、福利…

免费送源码:Java+SpringBoot+MySQL SpringBoot网上宠物领养管理系统 计算机毕业设计原创定制

摘 要 随着科学技术的飞速发展&#xff0c;社会的方方面面、各行各业都在努力与现代的先进技术接轨&#xff0c;通过科技手段来提高自身的优势&#xff0c;宠物行业当然也不例外。网上宠物领养管理系统是以实际运用为开发背景&#xff0c;运用软件工程原理和开发方法&#xff…

【vue】rules校验规则简单描述

以ant举个例子 <a-form-model :model"form" layout"inline" :rules"rules"ref"portRuleForm"> </a-form-model>这里面重要的字段有几个rules model ref 现在有个时间框要校验&#xff0c;先写好代码 <a-form-model…

如何在一个查询中使用多个DbContext?

一、前言 在软件开发的广袤领域中&#xff0c;数据来源的多样性与复杂性与日俱增。如今&#xff0c;我们常常面临着这样的挑战&#xff1a;如何在同一查询中巧妙地运用两个或多个 DbContext。 想象一下&#xff0c;在一个大型企业级应用里&#xff0c;订单数据存于数据库 A&a…

【Linux】10.Linux基础开发工具使用(3)

文章目录 使用 git 命令行&#xff08;初级&#xff09;Ubuntu安装 git注册gitee用户并创建gitee仓库Ubuntu下使用git 使用 git 命令行&#xff08;初级&#xff09; Ubuntu安装 git 首先更新软件源&#xff1a; sudo apt update然后再次尝试安装 git&#xff1a; sudo apt…

Android SystemUI——StatusBar视图创建(六)

上一篇文章我们介绍了 StatusBar 的构建过程,在 makeStatusBarView() 中获得 FragmentHostManager,用来管理 StatusBar 的窗口。 一、状态栏视图 在得到 FragmentHostManager 实例对象之后,还会继续调用 addTagListener() 方法设置监听对象,然后获取 FragmentManager 并开…

55.【5】BUUCTF WEB NCTF2019 sqli

进入靶场 输入admin 123 过滤的这么严格&#xff1f;&#xff1f;&#xff1f; 过滤很严格&#xff0c;此时要么爆破&#xff0c;要么扫描 直接扫描&#xff0c;得到robots.txt 访问后又得到hint.txt 继续访问 图片内容如下 $black_list "/limit|by|substr|mid|,|admi…