今天碰到过这样一个状况,我须要限制用户请求某个API
接口的频率,好比登陆、反馈等提交操做,通过一番搜索+折腾,总算是实现了。javascript
在
Laravel 5.2
的新特性中增长了一个throttle
中间件,经过它能够在路由层限制API
访问的频率。例如限制频率为1分钟50次,若是一分钟内超过了这个限制,它就会响应:429: Too Many Attempts。php
但我在项目中使用的是Lumen
框架(它只有Laravel
中的一部分功能),它并无集成这个中间件,因此本文主要是讲述如何在Lumen
框架中加入throttle
中间件。java
首先咱们要在app\Http\Middleware
中新建ThrottleRequests.php
文件。git
而且把如下连接中的代码拷贝到这个文件中:github
github.com/illuminate/…bootstrap
接着修改文件中的命名空间:app
namespace App\Http\Middleware;
复制代码
由于Lumen
框架缺失部分功能,咱们须要修改ThrottleRequests.php
中的resolveRequestSignature
方法:框架
protected function resolveRequestSignature($request){
return sha1(
$request->method() .
'|' . $request->server('SERVER_NAME') .
'|' . $request->path() .
'|' . $request->ip()
);
}
复制代码
throttle
超过限制时抛出的是Illuminate\Http\Exceptions\ThrottleRequestsException
,一样Lumen
框架缺乏这个文件,须要本身定义一下,在app/Exceptions
中新建ThrottleException.php
,写入如下代码:post
<?php
namespace App\Exceptions;
use Exception;
class ThrottleException extends Exception{
protected $isReport = false;
public function isReport(){
return $this->isReport;
}
}
复制代码
在app/Exceptions/Handler.php
捕获该抛出异常,在render
方法增长如下判断:ui
if ($exception instanceof ThrottleException) {
return response([
'code' => $exception->getCode(),
'msg' => $exception->getMessage()
], 429);
}
复制代码
修改ThrottleRequests.php
文件中的buildException
方法:
protected function buildException($key, $maxAttempts){
$retryAfter = $this->getTimeUntilNextRetry($key);
$headers = $this->getHeaders(
$maxAttempts,
$this->calculateRemainingAttempts($key, $maxAttempts, $retryAfter),
$retryAfter
);
// 修改了这一行
return new ThrottleException('Too Many Attempts.', 429);
}
复制代码
需在文件头部中添加这一行:
use App\Exceptions\ThrottleException;
在bootstrap/app.php
中注册:
$app->routeMiddleware([
'throttle' => App\Http\Middleware\ThrottleRequests::class,
]);
复制代码
到这里咱们就加入成功了,接着在路由中添加中间件便可:
$router->group(['middleware' => ['throttle:10,2']],function() use ($router){
$router->post('feedback','UserController@addFeedback');
});
复制代码
其中throttle:10,2
表示的是2分钟内访问10次。
注:此文为原创文章,如需转载,请注明出处。