search
HomeBackend DevelopmentPHP TutorialDetailed explanation of the implementation and application of PHP message queue (with flow chart)

The concept, principle and implementation of message queue

Concept

  • A middleware for the queue structure
  • No need to consume messages immediately
  • Consumed by consumers or subscribers in sequence

The basic flow chart is as follows

  • Process
    Detailed explanation of the implementation and application of PHP message queue (with flow chart)

Application scenario

  • Redundancy
  • Decoupling
  • Traffic peak cutting
  • Asynchronous communication

Implementation method

  • mysql: reliable, slow
  • redis: fast, slow to process large message packets
  • Message system: reliable and professional

Message triggering mechanism

  • Infinite loop method, unable to recover in time in case of failure
  • Scheduled tasks: pressure equalization, but there is an upper limit on processing capacity
  • Daemon process method

Decoupling (order and delivery system)

  • Architecture design 1 using scheduled tasks
    Detailed explanation of the implementation and application of PHP message queue (with flow chart)

  • When using the distribution processing system for processing, update the status of the order to be processed in the current database to 2, and set the status to 1 after the processing is completed

  • You can specify how many pieces of data to update each time

Traffic reduction (redis implements flash sales)

  • Use queue data Structure

    • lpush/rpush Put the data into the list
    • lpop/rpop Remove the data from the list and get the removed value
    • ltrim Keep the specified interval Elements within
    • llen Get the length of the list
    • lset Set the value of the list by index
    • lindex Get the value in the list by index
    • lrange Get the specified range The elements
  • are illustrated as follows
    Detailed explanation of the implementation and application of PHP message queue (with flow chart)

  • ##The code flow is as follows

    • The flash kill program writes the request to redis(uid, time)

    • Check the length of the redis list storage, if it exceeds 10, it will be discarded directly

    • Read redis data through an infinite loop and store it in the database

      // Spike.php 秒杀程序if(Redis::llen('lottery') <pre class="brush:php;toolbar:false">// Warehousing.php 入库程序while(true){
          $user = Redis::rpop('lottery');
          if (!$user || $user == 'nil') {
              sleep(2);
              continue;
          }
          $user_arr = explode($user, '%');
          $insert_user = [
              'uid' => $user_arr[0],
              'time' => $user_arr[1]
          ];
          $res = DB::table('lottery_queue')->insert($insert_user);
          if (!$res) {
              Redis::lpush('lottery', $user);
          }}
  • If the concurrency in the above code is too large, there will be an oversold situation. At this time, you can Use file locks or redis distributed locks for control. First put the product into the redis list and use rpop to take it out. If you cannot get it, it means it has been sold out.

  • Specific ideas and pseudo The code is as follows

      // 先将商品放入redis中
      $goods_id = 2;
    
      $sql = select id,num from goods where id = $goods_id;
      $res = DB::select($sql);
      if (!empty($res)) {
          // 也可以指定多少件
          Redis::del('lottery_goods' . $goods_id);
          for($i=0;$i<pre class="brush:php;toolbar:false">  // 开始秒杀
      $count = Redis::rpop('lottery_goods' . $goods_id);
      if (!$count) {
          // 商品已抢完
          ...
      }
    
      // 用户抢购队列
      $user_list = 'user_goods_id_' . $goods_id;
      $user_status = Redis::sismember($user_list, $user_id);
      if ($user_status) {
          // 已抢过
          ...
      }
    
      // 将抢到的放到列表中
      Redis::sadd($user_list, $uid);
      $msg = '用户:' . $uid . '顺序' . $count;
      Log::info($msg);
      // 生成订单等
      ...
      // 减库存
      $sql = update goods set num = num -1 where id = $goods_id and num > 0; // 防止超卖
      DB::update($sql)
      // 抢购成功

##rabbitmq

    Architecture and Principle

  • where P represents production Or, X is the switch (channel), C represents the consumerDetailed explanation of the implementation and application of PHP message queue (with flow chart)

  • Simple use
  •   // Send.php
      require_once __DIR__.'/vendor/autoload.php';
    
      use PhpAmqpLib\Connection\AMQPStreamConnection;
      use PhpAmqpLib\Message\AMQPMessage;
    
      $connection = new AMQPStreamConnection('localhost', 5672, 'guest', 'guest');
    
      // 创建通道
      $channel = $connection->channel();
      // 声明一个队列
      $channel->queue_declare('user_email', false, false, false, false);
      // 制作消息
      $msg = new AMQPMessage('send email');
      // 将消息推送到队列
      $channel->basic_publish($msg, '', 'user_email');
    
      echo '[x] send email';
    
      $channel->close();
      $connection->close();
      // Receive.php
      require_once __DIR__.'/vendor/autoload.php';
    
      use PhpAmqpLib\Connection\AMQPStreamConnection;
      use PhpAmqpLib\Message\AMQPMessage;
    
      $connection = new AMQPStreamConnection('localhost', 5672, 'guest', 'guest');
    
      //创建通道
      $channel = $connection->channel();
    
      $channel->queue_declare('user_email', false, false, false, false);
    
      // 当收到消息时的回调函数
      $callback = function($msg){
          //发送邮件
          echo 'Received '.$msg->body.'\n';
      };
    
      $channel->basic_consume('user_email', '', false, true, false, false, $callback);
    
      // 保持监听状态
      while($channel->is_open()){
          $channel->wait();
      }

The above is the detailed content of Detailed explanation of the implementation and application of PHP message queue (with flow chart). For more information, please follow other related articles on the PHP Chinese website!

Statement
This article is reproduced at:learnku. If there is any infringement, please contact admin@php.cn delete
基于go-zero构建可靠的分布式消息队列基于go-zero构建可靠的分布式消息队列Jun 23, 2023 pm 12:21 PM

随着互联网的迅猛发展和技术的不断进步,分布式系统已经成为了现代软件开发的重要基础设施之一。在分布式系统中,消息队列是一种非常重要的组件,它能够实现不同模块之间的解耦,提高整个系统的可伸缩性和可靠性。而Go语言在分布式系统领域已经得到广泛应用,其高效的并发模型和简洁的语言特性,使得Go语言特别适合用于构建分布式系统中的消息队列。Go-Zero是一种基于Go语言

使用Gin框架实现任务队列和消息队列功能使用Gin框架实现任务队列和消息队列功能Jun 22, 2023 pm 12:58 PM

Gin是一个基于Go语言的Web框架,被广泛应用于Web开发领域。但是,除了在Web开发中,Gin框架还可以用来实现其他功能,比如任务队列和消息队列。任务队列和消息队列是现代分布式系统中常见的组件,用于异步处理数据和消息。这些队列可以用于削峰填谷、异步处理大量数据等场景,其中任务队列更加注重工作流程,将每个任务按照一定的流程顺序执行;而消息队列则更注重异步通

如何使用PHP多线程实现高并发的消息队列如何使用PHP多线程实现高并发的消息队列Jun 29, 2023 am 11:06 AM

如何使用PHP多线程实现高并发的消息队列引言:随着互联网的快速发展和流量的剧增,高并发处理已成为现代软件开发中不可忽视的一个问题。消息队列作为一种高效的解决方案,被广泛应用于各种大规模分布式系统中。本文将介绍如何使用PHP多线程技术实现高并发的消息队列,以满足大规模系统的高并发需求。一、消息队列的概念和应用场景消息队列是一种基于发布-订阅模式的解耦技术,用于

PHP中的消息队列系统PHP中的消息队列系统Jun 23, 2023 am 10:06 AM

随着互联网的不断发展,人们对于Web应用程序可扩展性的需求也越来越高。在这种情况下,如何使Web应用程序支持高并发和大流量,成为了每个Web程序员都必须面对的问题。而在这个问题中,消息队列系统显然成为了一个不可或缺的角色。本文将介绍如何在PHP中集成消息队列系统,优化Web应用程序,以提高应用的可扩展性。什么是消息队列系统?消息队列系统是一种异步的、跨进程的

使用Go语言构建高可用的消息队列系统使用Go语言构建高可用的消息队列系统Jun 18, 2023 am 09:31 AM

随着在现代化的IT架构中,各种组件之间的通信和协调变得越来越重要。当应用程序需要向其他应用程序或处理器发送消息时,消息队列系统已经成为了重要的设施之一。Go是一种越来越受欢迎的编程语言,它的高效性能和并发性质使其成为开发高可用消息队列系统的理想工具。本文将介绍如何使用Go语言构建高可用的消息队列系统,并探讨实现高可用性的最佳实践。消息队列系统简介在编写一个高

Redis与RabbitMQ消息队列的对比Redis与RabbitMQ消息队列的对比Jun 20, 2023 am 08:37 AM

随着互联网技术的不断发展和应用场景的增加,对于高并发、高可扩展性和高性能的要求也越来越高。在实际的开发中,消息队列成为了大家广泛选择的一种解决方案。Redis和RabbitMQ作为其中的两种常用消息队列,在实际应用中得到了广泛的应用和识别。本文将对Redis和RabbitMQ进行比较和评估,旨在帮助读者选择适合自己业务需求的消息队列产品。RedisRedis

Redis作为消息队列的跨数据中心通信能力对比Redis作为消息队列的跨数据中心通信能力对比Jun 20, 2023 am 11:58 AM

随着企业业务的不断发展,数据中心的数量不断增加,对于企业来说,如何实现跨数据中心通信已经成为了一个非常热门的话题。而消息队列则是实现跨数据中心通信的一种常见方式,而Redis作为消息队列,其跨数据中心通信能力非常强大。本文将对比Redis作为消息队列的跨数据中心通信能力与其他常见消息队列的优劣。一、Redis作为消息队列的跨数据中心通信能力Redis作为一个

Java 中的消息队列和异步处理技术Java 中的消息队列和异步处理技术Jun 08, 2023 am 08:26 AM

随着互联网业务的蓬勃发展,系统的并发量和复杂度越来越高,仅仅通过单线程来处理请求已经无法满足业务需求。这时,消息队列和异步处理技术就应运而生,Java中也提供了一些成熟的解决方案。一、消息队列什么是消息队列?消息队列是一种在分布式架构中传递消息的方法,它实现了异步处理,一个应用可以将消息发送到队列,而不必等待响应。消息队列通常被用于解决应用程序间的解耦、

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Best Graphic Settings
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. How to Fix Audio if You Can't Hear Anyone
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

SecLists

SecLists

SecLists is the ultimate security tester's companion. It is a collection of various types of lists that are frequently used during security assessments, all in one place. SecLists helps make security testing more efficient and productive by conveniently providing all the lists a security tester might need. List types include usernames, passwords, URLs, fuzzing payloads, sensitive data patterns, web shells, and more. The tester can simply pull this repository onto a new test machine and he will have access to every type of list he needs.

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment