Versions Compared

Key

  • This line was added.
  • This line was removed.
  • Formatting was changed.
Comment: Merged branch "DOC0000362" into parent

Message broker is a set of components that allow supporting message exchange among other system components. This functionality allows you to handle processing transactions in real-time, such as notification processing and importing. Also, message queues are used when you are starting a Scheduled Script.

Key Terms


Message broker - a system component, the main function of which is to keep and share messages among other system components.

Producer - a program or a system module sending a message into a the Queue (producing a message).

Consumer - a program or a system module receiving that receives a message from a the Queue and processing processes it.

Queue -  – a part of a Message Broker; a  a list implemented on the FIFO basis (First In First Out). It is intended to keep messages of similar type and allocate them among responsible Consumers.

Exchange -  – a part of a Message Broker responsible for the message allocation among Queues.

Routing Key -  – a key that is needed for message allocation among Queues.

Binding -  – a connection between Exchanges or between an the Exchange and a the Queue.


Image Modified

Message Broker

operation

operating modes


Message broker can operate with instant messages and delayed messages. The difference is that delayed messages are sent after some time specified in the $delay parameter.

Instant

messages

message processing


Instant messages message processing consists of several stages:

  1. Message sending
  2. Message allocationMessage storage in queue
  3. Message processing.

Message sending

In brief, the component (program or module) producing a message (a Producer) generates a message and enhances it with a service data (such as Routing Key, User ID, Sys_ID referenced to the User Token (user_token) table). Before sending, the message is serialized.

Sending example:

Code Block
languagejs
themeEclipse
linenumberstrue
$this->producer->publish($message = ‘message’'message', $routingKey = ‘echo’);

Message allocation

The message gets into the Exchange; for allocating messages among Queues, a Routing Key is used specified on the previous stage.

An Exchange is binded (in other words, it has a Binding) to every Queue. If a message contains a Routing Key not matching any queue it goes away and does not move to the next stage.

Allocation example:

  • Created an Exchange “backend.asyncjob.dx”
  • Created a Queue “backend_echo_q” is created
  • Then created a Binding between the Exchange and the Queue. They are bound by a 'echo' Routing Key.
    'echo');

    Message storage in queue

    After Once messages are queued up, then they should then be processed.

    The queue listens to the specified Consumer state (it is based on the Routing Key). When If the Consumer can get gets the message, then it happens. If the queue has no consumers, then the messages line up in the queue but do not disappear.

    By default, every queue has at least one consumer. If a queue has more than one consumer bound, then it allocates messages among them.

    Message processing

    Consumer is implemented as a background process running in a separate Docker container. It runs a shell app within the container; after that, the message is processed by a back-end interface with a specific classes class, which are is chosen based on the Routing Key specified in the message.

    Before processing, a consumer should perform user (or impersonator) authorization, which were is the message sending initiatorsinitiator; necessary authorization information can be found in every message.

    Delayed messages processing


    In general, delayed messages message processing is similar to instant messages message processing; the . The difference is that the $delay parameter responsible for delay specifying is implemented, allowing that this message should to be sent with a delay specified.

    Message allocation

    Allocation example:

    • Created an Exchange “backend.delayedjob.dmx” of the x-delayed-message type
    • Messages with the $delay parameter specified get into this exchange.
    • This exchange is bound to the "backend.asyncjob.dx" exchange which is not of the x-delayed-message type and intended for processing instant messages processing.

    Further stages are similar to the instant messages processing.

    Logging


    All message exchanging activities are logged and can be found in the Queue Messages (sys_queue_message) table.

    Queue Message fields description

    FieldDescriptionMessageContent of the message sending. This field is mandatory.Routing KeyMessage routing key. This field is mandatory.Scheduled start timeStart timeEnd timeStateLog Exception IDMemory usage

    Настройка окружения

    Контейнер rabbit-mq

    1. содержит запущенный брокер сообщений RabbitMQ
    2. доступен снаружи на портах
      5672 - по TCP протоколу (используется AMQP клиентами)
      15672 - по HTTP протоколу (для доступа к административной панели)
    3. подключен плагин rabbitmq_delayed_message_exchange, позволяющий создавать отложенные сообщения
    Контейнер backend

    Supervisord запускает необходимое кол-во воркеров (указанное в переменной окружения) и следит за их кол-вом. В случае когда один из процессов обрывается, supervisor запускает новый процесс.

    Таблица sys_queue_message (путь в навигаторе?)

    FieldDescriptionMessageСамо сообщение. Обязательное поле.Routing keyКлюч маршрутизации сообщения. Обязательное поле.Scheduled start timeЕсли сообщение отложенное, то содержит предполагаемую дату и время запуска. Если сообщение мгновенное, то содержит null.Start timeВремя начала обработкиEnd timeВремя завершения обработкиState

    Статус сообщения. Возможные варианты:

    • Pending
    • In process
    • Completed
    • Error
    Log Exception IDСодержит ID залогированного исключения, в случае, если было выброшено исключение. Если исключения не было, то содержит NULL.Memory usageОбъем памяти, потребовавшийся на обработку сообщения (так ли это?)

     to the standard output (Stdout).

    Environment settings


    Message broker system consists of two containers:

    1. Within the first container, the message broker is running externally and available via TCP. Also, a specific plugin is configured there to create delayed messages.
    2. Within the second container, the supervisor daemon runs the required workers amount (can be set by an environment variable). If one of these processes fails, the supervisor starts the new one.
    - по истечению времени, заданного в $delay, сообщение отправляется в Обменник “backend.asyncjob.dx” с тем же Ключом маршрутизации

    Брокер сообщений может работать в двух режимах:

    Обработка мгновенных сообщений

    1. Отправка сообщения.
    • Сообщением может быть любой тип данных (что это значит?)
    • Узел, являющийся Producer, генерирует сообщение, дополняет его служебной информацией (routingKey, userId, sys_id из user_token)
    • Перед отправкой сообщение сериализуется (т.е. сообщение переводится в последовательность битов)
    • - пример отправки:
        $this->producer->publish($message = ‘message’, $routingKey = ‘echo’);

    2. Распределение сообщений:

    Сообщение попадает в обменник (exchange)

    При отправке указывается routing key для распределения сообщений между queues

    Exchange "“backend.asyncjob.dx”" имеет Binding на каждую из Queues (на одну или несколько?)

    Если сообщение содержит Ключ маршрутизации, не соответствующий ни одной привязке, сообщение пропадает

    1.  пример настройки:
        создан Обменник с именем “backend.asyncjob.dx”
        создана Очередь с именем “backend_echo_q”
        создана Привязка между Обменником “backend.asyncjob.dx” и “backend_echo_q” по Ключу маршрутизации “echo” 

    3. Messages в queue
    - сообщения, попав в queue, ожидают обработки
    - при освобождении consumer, queue отдает ему message (какое правило должно соблюстись? как очередь узнает, что это именно тот консумер, который должен получить сообщение)
    - если у Очереди нет потребителей, сообщения накапливаются (после перезагрузки контейнера сообщения не должны пропадать) (это реализовано?)
    - по-умолчанию для каждой Очереди создается хотя бы один потребитель (как производится привязка?) (как создаются очереди?)
    - если потребителей несколько, Очередь распределяет сообщения между ними (по какому принципу?)

    4. Обработка сообщений
    - в начальной версии нет разделения потребителей по Очередям. Каждый потребитель способен обработать любое известное сообщение
    - потребитель реализуется в виде постоянно запущенного фонового процесса в отдельном docker контейнере
    - фоновый процесс запускает консольное приложение из backend контейнера
    - обработка сообщения происходит классами, реализующими интерфейс Queue\Domain\Contract\ConsumerInterface
    - выбор класса для обработки сообщения определяется с помощью Ключа маршрутизации
    - если процесс упал, он должен автоматически перезапуститься
    - потребитель, перед обработкой сообщения, авторизует пользователя (и имперсонатора, если такой есть), необходимая информация должна присутствовать в каждом сообщении

    Обработка отложенных сообщений.

    1. Отправка сообщений

    Реализована возможность добавления параметра $delay, (что указывается? задержка в мс? сек?) который уведомляет о необходимости создания отложенного сообщения (как администратор/девелопер добавит этот параметр? куда? используя наше API? какие классы и методы используются?

    2. Распределение сообщений
    - добавлен Обменник “backend.delayedjob.dmx” типа x-delayed-message (это что за тип?)
    - сообщения с параметром $delay попадают в Обменник “backend.delayedjob.dmx”
    - “backend.delayedjob.dmx” содержит привязку на “backend.asyncjob.dx”

    Дальнейшие шаги (сообщения в очереди и обработка сообщения) аналогичны обработке мгновенных сообщений?

    Table of Contents
    absoluteUrltrue
    classfixedPosition