Laravel 프로젝트에서 Redis를 실제로 적용한 사례

巴扎黑
풀어 주다: 2023-03-14 22:16:02
원래의
2195명이 탐색했습니다.

이 글에서는 주로 Laravel 프로젝트에서 Redis를 적용하는 것과 관련된 정보를 소개하고 있으며, Laravel을 필요로 하는 친구들이라면 누구나 배울 수 있도록 샘플 코드를 통해 아주 자세하게 소개하고 있습니다. 아래 에디터를 따라가며 함께 배워보세요.

머리말

이 글은 주로 Laravel 프로젝트에서 Redis의 적용 사례를 소개하고 있으며, 참고 및 학습을 위해 공유합니다. 아래에서는 자세한 소개를 살펴보겠습니다.

Laravel에서 Redis의 적용에 대한 사전 이해를 돕기 위해, 기사나 게시물의 조회수 통계가 매번 조회수 1씩만 증가하는 경우, 새로운 데이터가 추가되는 이러한 적용 시나리오를 상상해 보겠습니다. 요청이 너무 크면 이 쌍의 데이터베이스 소비는 자명합니다. 그렇죠? 다른 솔루션이 있습니까? 여기서 해결책은 웹사이트에 요청이 많더라도 매번 방문이 추가되면 캐시되어야 합니다. 변경 사항 Mysql 데이터베이스를 새로 고치는 경우

데이터베이스를 새로 고치기 전에 특정 숫자에 도달하는 데 필요한 방문 횟수를 사용자 정의할 수 있습니다. 매번 데이터베이스를 직접 새로 고치는 것보다 효율성이 훨씬 높습니다

이제 해당 솔루션 구현을 시작하겠습니다

게시물 검색을 예로 들어 먼저 해당 컨트롤러를 만듭니다

.

$ php artisan make:controller PostController
로그인 후 복사

그런 다음 사용해야 하는 모델을 생성합니다


$ php artisan make:model Post -m
로그인 후 복사

게시물을 작성합니다. 마이그레이션 테이블의 필드 내용


Schema::create('posts', function (Blueprint $table) {
 $table->increments('id');
 $table->string("title");
 $table->string("content");
 $table->integer('view_count')->unsigned();
 $table->timestamps();
});
로그인 후 복사

과 시더가 테스트 데이터의 데이터를 채우는


$factory->define(App\Post::class, function (Faker\Generator $faker) {
 return [
 'title' => $faker->sentence,
 'content' => $faker->paragraph,
 'view_count' => 0
 ];
});
로그인 후 복사

게시물의 액세스 경로를 정의합니다.


Route::get('/post/{id}', 'PostController@showPost');
로그인 후 복사

물론 이벤트를 검색하는 액세스 권한을 작성해야 합니다(app/providers/EventServiceProvider에 정의됨)


protected $listen = [
 'App\Events\PostViewEvent' => [
//  'App\Listeners\EventListener',
  'App\Listeners\PostEventListener',
 ],
 ];
로그인 후 복사

이벤트 생성 모니터링 실행


$ php artisan event:generate
로그인 후 복사

관련 라우팅 방법은 이전에 정의되었습니다. 이제 구현해 보세요.


public function showPost(Request $request,$id)
{
 //Redis缓存中没有该post,则从数据库中取值,并存入Redis中,该键值key='post:cache'.$id生命时间5分钟
 $post = Cache::remember('post:cache:'.$id, $this->cacheExpires, function () use ($id) {
 return Post::whereId($id)->first();
 });

 //获取客户端请求的IP
 $ip = $request->ip();
 
 //触发浏览次数统计时间
 event(new PostViewEvent($post, $ip));

 return view('posts.show', compact('post'));
}
로그인 후 복사

여기에서 볼 수 있습니다. Redis를 캐시 드라이버로 사용하면 동일한 IP를 얻는 것이 목적입니다. 조회수를 늘리기 위해 여러 번 새로고침되는 것을 방지


마찬가지로, 탐색할 때마다 이전에 정의한 이벤트가 트리거되고 이를 post 및 id 매개변수에 전달됩니다

Redis의 키 이름은 Split입니다. 시각화 도구에서 명확하게 볼 수 있는 계층적 디렉터리로 이해됩니다


다음 단계는 게시물의 보기 파일을 제공하는 것입니다.show

<html lang="en">
<head>
 <meta charset="utf-8">
 <meta http-equiv="X-UA-Compatible" content="IE=edge">
 <meta name="viewport" content="width=device-width, initial-scale=1">
 <title>Bootstrap Template</title>
 <!-- 新 Bootstrap 核心 CSS 文件 -->
 <link rel="stylesheet" href="//cdn.bootcss.com/bootstrap/3.3.5/css/bootstrap.min.css" rel="external nofollow" >
 <style>
 html,body{
  width: 100%;
  height: 100%;
 }
 *{
  margin: 0;
  border: 0;
 }
 .jumbotron{
  margin-top: 10%;
 }
 .jumbotron>span{
  margin: 10px;
 }
 </style>
</head>
<body>
<p class="container">
 <p class="row">
 <p class="col-xs-12 col-md-12">
  <p class="jumbotron">
  <h1>Title:{{$post->title}}</h1>
  <span class="glyphicon glyphicon-eye-open" aria-hidden="true"> {{$post->view_count}} views</span>
  <p>Content:{{$post->content}}</p>
  </p>
 </p>
 </p>
</p>

<!-- jQuery文件-->
<script src="//cdn.bootcss.com/jquery/1.11.3/jquery.min.js"></script>
<!-- 最新的 Bootstrap 核心 JavaScript 文件 -->
<script src="//cdn.bootcss.com/bootstrap/3.3.5/js/bootstrap.min.js"></script>
<script>

</script>
</body>
</html>
로그인 후 복사

이벤트를 초기화하려면 이러한 매개변수를 받는 것입니다


class PostViewEvent
{
 use Dispatchable, InteractsWithSockets, SerializesModels;

 public $ip;
 public $post;


 /**
 * PostViewEvent constructor.
 * @param Post $post
 * @param $ip
 */
 public function __construct(Post $post, $ip)
 {
 $this->post = $post;
 $this->ip = $ip;
 }

 /**
 * Get the channels the event should broadcast on.
 *
 * @return Channel|array
 */
 public function broadcastOn()
 {
 return new PrivateChannel(&#39;channel-name&#39;);
 }
}
로그인 후 복사

가장 중요한 것은 모니터링 이벤트를 작성하는 것입니다:


class PostEventListener
{
 /**
 * 一个帖子的最大访问数
 */
 const postViewLimit = 20;

 /**
 * 同一用户浏览同一个帖子的过期时间
 */
 const ipExpireSec = 200;

 /**
 * Create the event listener.
 *
 */
 public function __construct()
 {

 }


 /**
 * @param PostViewEvent $event
 */
 public function handle(PostViewEvent $event)
 {
 $post = $event->post;
 $ip = $event->ip;
 $id = $post->id;
 //首先判断下ipExpireSec = 200秒时间内,同一IP访问多次,仅仅作为1次访问量
 if($this->ipViewLimit($id, $ip)){
  //一个IP在300秒时间内访问第一次时,刷新下该篇post的浏览量
  $this->updateCacheViewCount($id, $ip);
 }
 }

 /**
 * 限制同一IP一段时间内得访问,防止增加无效浏览次数
 * @param $id
 * @param $ip
 * @return bool
 */
 public function ipViewLimit($id, $ip)
 {
 $ipPostViewKey = &#39;post:ip:limit:&#39;.$id;
 //Redis命令SISMEMBER检查集合类型Set中有没有该键,Set集合类型中值都是唯一
 $existsInRedisSet = Redis::command(&#39;SISMEMBER&#39;, [$ipPostViewKey, $ip]);
 //如果集合中不存在这个建 那么新建一个并设置过期时间
 if(!$existsInRedisSet){
  //SADD,集合类型指令,向ipPostViewKey键中加一个值ip
  Redis::command(&#39;SADD&#39;, [$ipPostViewKey, $ip]);
  //并给该键设置生命时间,这里设置300秒,300秒后同一IP访问就当做是新的浏览量了
  Redis::command(&#39;EXPIRE&#39;, [$ipPostViewKey, self::ipExpireSec]);
  return true;
 }
 return false;
 }

 /**
 * 达到要求更新数据库的浏览量
 * @param $id
 * @param $count
 */
 public function updateModelViewCount($id, $count)
 {
 //访问量达到300,再进行一次SQL更新
 $post = Post::find($id);
 $post->view_count += $count;
 $post->save();
 }

 /**
 * 不同用户访问,更新缓存中浏览次数
 * @param $id
 * @param $ip
 */
 public function updateCacheViewCount($id, $ip)
 {
 $cacheKey = &#39;post:view:&#39;.$id;
 //这里以Redis哈希类型存储键,就和数组类似,$cacheKey就类似数组名 如果这个key存在
 if(Redis::command(&#39;HEXISTS&#39;, [$cacheKey, $ip])){
  //哈希类型指令HINCRBY,就是给$cacheKey[$ip]加上一个值,这里一次访问就是1
  $save_count = Redis::command(&#39;HINCRBY&#39;, [$cacheKey, $ip, 1]);
  //redis中这个存储浏览量的值达到30后,就去刷新一次数据库
  if($save_count == self::postViewLimit){
  $this->updateModelViewCount($id, $save_count);
  //本篇post,redis中浏览量刷进MySQL后,就把该篇post的浏览量清空,重新开始计数
  Redis::command(&#39;HDEL&#39;, [$cacheKey, $ip]);
  Redis::command(&#39;DEL&#39;, [&#39;laravel:post:cache:&#39;.$id]);
  }
 }else{
  //哈希类型指令HSET,和数组类似,就像$cacheKey[$ip] = 1;
  Redis::command(&#39;HSET&#39;, [$cacheKey, $ip, &#39;1&#39;]);
 }
 }
}
로그인 후 복사

마지막으로 저희 도구를 통해 구체적인 효과를 확인하실 수 있습니다


위 내용은 Laravel 프로젝트에서 Redis를 실제로 적용한 사례의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

관련 라벨:
원천:php.cn
본 웹사이트의 성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
인기 튜토리얼
더>
최신 다운로드
더>
웹 효과
웹사이트 소스 코드
웹사이트 자료
프론트엔드 템플릿