示例#1
0
    def _on_delivery_confirmation(self, method_frame):
        """Chamado pelo pika quando o RabbitMQ responde a um comando de Basic.Publish RPC,
        passando em um frame Basic.Ack ou Basic.Nack com
        a tag de entrega da mensagem que foi publicada.
        
        A tag de entrega é um contador inteiro indicando o número da mensagem que foi enviada
        no canal via Basic.Publish. 
        
        Aqui estamos apenas armazenando para acompanhar estatísticas e remover números 
        de mensagens que esperamos uma confirmação de entrega da lista usada para acompanhar as mensagens
        que estão pendentes de confirmação.

        
        :param pika.frame.Method method_frame: Basic.Ack or Basic.Nack frame

        """

        confirmation_type = method_frame.method.NAME.split('.')[1].lower()
        LOGGER.info('Recebido %s para delivery tag: %i', confirmation_type,
                    method_frame.method.delivery_tag)

        if confirmation_type == 'ack':
            self._acked += 1
        elif confirmation_type == 'nack':
            self._nacked += 1

        self._deliveries.remove(method_frame.method.delivery_tag)

        LOGGER.info(
            'Published %i messages, %i have yet to be confirmed, '
            '%i were acked and %i were nacked', self._message_number,
            len(self._deliveries), self._acked, self._nacked)
示例#2
0
    def close_channel(self):
        LOGGER.info(
            'Sending a Basic.Cancel RPC command to RabbitMQ to close Consumer Channel'
        )

        self._channel.basic_cancel(self._consumer_tag,
                                   callback=self._on_cancelok)
示例#3
0
 def _add_on_channel_close_callback(self, channel):
     """Esse método informa para o pika que o método on_channel_closed deve ser chamado quando
     o RabbitMq fecha o canal de forma inesperada.
     
     """
     LOGGER.info('Adicionando o callback de fechamento de canal.')
     channel.add_on_close_callback(self._on_channel_closed)
示例#4
0
    def _on_bindok(self, unused_frame):
        """Invoked by pika when the Queue.Bind method has completed. At this
        point we will start consuming messages by calling start_consuming
        which will invoke the needed RPC commands to start the process.

        :param pika.frame.Method unused_frame: The Queue.BindOk response frame

        """
        LOGGER.info('Queue do Consumer Linkada {}'.format(unused_frame.method))
示例#5
0
    def _on_exchange_declareok(self, unused_frame):
        """Invocado pelo pika quando o RabbitMQ termina o Exchange.Declare RPC
        command.

        :param pika.Frame.Method unused_frame: Exchange.DeclareOk response frame

        """
        LOGGER.debug('Exchange do Publisher declarado.')

        #
        self._setup_queue(queue=self._queue)
示例#6
0
    def _on_exchange_declareok(self, unused_frame):
        """Invocado pelo pika quando o RabbitMQ termina o Exchange.Declare RPC
        command.

        :param pika.Frame.Method unused_frame: Exchange.DeclareOk response frame

        """
        LOGGER.info('Exchange Consumer declarado')

        # Vamos agora definir a Queue:
        self._setup_queue(self._queue)
示例#7
0
    def _setup_queue(self, queue):
        """Configurando a fila no RabbitMQ chamando o RPC Queue.Declare. 
        Quando estiver completo, o método on_queue_declareok será invocado por pika
        
        :param str|unicode queue_name: The name of the queue to declare.

        """
        LOGGER.info('Declarando Consumer Queue (%s)', queue)

        self._channel.queue_declare(queue,
                                    durable=True,
                                    callback=self._on_queue_declareok)
示例#8
0
    def push(self, message, *args, **kwargs):
        LOGGER.info("Publicando: {}".format(message))

        try:

            self._channel.basic_publish(exchange=self._exchange,
                                        routing_key=self._routing_key,
                                        body=json.dumps(message))

        except Exception as e:
            print(repr(e))
            traceback.print_exc()
            raise e
示例#9
0
    def _enable_delivery_confirmations(self):
        """Send the Confirm.Select RPC method to RabbitMQ to enable delivery
        confirmations on the channel. The only way to turn this off is to close
        the channel and create a new one.

        When the message is confirmed from RabbitMQ, the
        on_delivery_confirmation method will be invoked passing in a Basic.Ack
        or Basic.Nack method from RabbitMQ that will indicate which messages it
        is confirming or rejecting.

        """
        LOGGER.info('Issuing Confirm.Select RPC command')
        self._channel.confirm_delivery(self._on_delivery_confirmation)
示例#10
0
    def run(self, *args, **kwargs):
        try:

            while True:
                LOGGER.info("Iniciando o intervalo de frequência: {}".format(
                    self._interval))

                time.sleep(self._interval)

                LOGGER.info("Terminando o intervalo de frequência")

                self.push(self._factory(str(uuid4())))

        except KeyboardInterrupt:
            self.__disconn()
示例#11
0
    def _setup_exchange(self):
        """Configure o exchange no RabbitMQ invocando o RPC Exchange.Declare
        comando. Quando estiver completo, o método on_exchange_declareok
        será invocado por pika.
       
        :param str|unicode exchange_name: The name of the exchange to declare

        """
        LOGGER.info('Declarando Exchange do Consumer: (%s - %s)'.format(
            self._exchange, self._exchange_type))

        self._channel.exchange_declare(self._exchange,
                                       self._exchange_type,
                                       durable=True,
                                       callback=self._on_exchange_declareok)
示例#12
0
    def _on_channel_closed(self, channel, reply_code, reply_text):
        """Chamado pelo pika quando o RabbitMq fecha inesperadamente o canal.
        
        Os canais geralmente são fechados se você tentar fazer algo que
        viola o protocolo, como declarar novamente uma troca ou fila com
        parâmetros diferentes. Neste caso, vamos fechar a conexão
        para desligar o objeto.

        :param pika.channel.Channel: The closed channel
        :param int reply_code: The numeric reason the channel was closed
        :param str reply_text: The text reason the channel was closed

        """
        LOGGER.warning('Canal %i foi fechado: (%s) %s', channel, reply_code,
                       reply_text)

        self._server.stop()
示例#13
0
    def on_channel_open(self, channel):
        """Este método é invocado pelo pika quando o canal foi aberto.
        O objeto do canal é passado para que possamos usá-lo.

        Como o canal agora está aberto, declaramos o exchange também.

        :param pika.channel.Channel channel: The channel object

        """
        LOGGER.debug('Canal Consumer Aberto')  #{}'.format(channel))

        self._channel = channel

        self._add_on_channel_close_callback(channel)

        # Definindo o Exchange:
        self._setup_exchange()
示例#14
0
    def __choose_type(self, agent_type, *args, **kwargs):
        # Colocando todos os caracteres em minúsculo:
        agent_type = agent_type.lower()

        LOGGER.info("Tipo de Agente: {}".format(agent_type))

        if agent_type == 'temperatura':
            self._factory = lambda _id: {
                '_id': _id,
                'type': agent_type,
                'message': random.randint(32, 35)
            }
            self._interval = 10
            return

        if agent_type == 'humidade':
            self._factory = lambda _id: {
                '_id': _id,
                'type': agent_type,
                'message': random.randint(11, 15)
            }
            self._interval = 20
            return

        if agent_type == 'luminosidade':
            self._factory = lambda _id: {
                '_id': _id,
                'type': agent_type,
                'message': random.randint(0, 10)
            }
            self._interval = 5
            return

        if agent_type == 'dioxido':
            self._factory = lambda _id: {
                '_id': _id,
                'type': agent_type,
                'message': random.randrange(0, 1)
            }
            self._interval = 30
            return
示例#15
0
    def _on_queue_declareok(self, method_frame):
        """Método invocado pelo pika quando a chamada RPC Queue.Declare feita em
        setup_queue foi concluída. Neste método, vamos ligar a fila
        e exchange junto com a chave de roteamento emitindo o QueueBind
        Comando RPC. Quando este comando estiver completo, o método on_bindok
        ser invocado pelo pika.
       
        :param pika.frame.Method method_frame: The Queue.DeclareOk frame

        """
        QUEUE = method_frame.method.queue

        # TODO: retirar routing key do servidor

        LOGGER.info('Linkando (%s) para (%s) com (%s)', self._exchange, QUEUE,
                    self._server.ROUTING_KEY)

        self._channel.queue_bind(QUEUE,
                                 self._server.EXCHANGE_CORE_TO_SENDER,
                                 self._server.ROUTING_KEY,
                                 callback=self._on_bindok)
示例#16
0
    def start_publishing(self, message):
        """This method will enable delivery confirmations and schedule the
        first message to be sent to RabbitMQ

        """
        LOGGER.info('Issuing consumer related RPC commands')

        self._enable_delivery_confirmations()

        if self._channel is None or not self._channel.is_open:
            return  # Sem canal aberto

        #hdrs = {u'مفتاح': u' قيمة', u'键': u'值', u'キー': u'値'}
        #message = u'مفتاح قيمة 键 值 キー 値'

        #Formatando de forma adequada a mensagem:
        message = dict(data=message, _id=str(uuid4()))

        LOGGER.info("Mensagem para dispachar: %s" % (message, ))

        properties = pika.BasicProperties(
            app_id='example-publisher',
            content_type='application/json')  #, headers=hdrs

        self._channel.basic_publish(self._server.EXCHANGE_CORE_TO_SENDER,
                                    self._server.ROUTING_KEY,
                                    json.dumps(message), properties)
        self._message_number += 1
        self._deliveries.append(self._message_number)

        LOGGER.info('Mensagem Publicada # %i', self._message_number)
示例#17
0
    def _on_queue_declareok(self, method_frame):
        """Método invocado pelo pika quando a chamada RPC Queue.Declare feita em
        setup_queue foi concluída. Neste método, vamos ligar a fila
        e exchange junto com a chave de roteamento emitindo o QueueBind
        Comando RPC. Quando este comando estiver completo, o método on_bindok
        ser invocado pelo pika.
       
        :param pika.frame.Method method_frame: The Queue.DeclareOk frame

        """
        QUEUE = method_frame.method.queue

        #TODO: Trocar Routing Key - Cada consumidor pode ter o seu;
        LOGGER.debug('Linkando (%s) para (%s) com (%s)', self._exchange, QUEUE,
                     self._server.ROUTING_KEY)

        self._channel.queue_bind(QUEUE,
                                 self._exchange,
                                 self._server.ROUTING_KEY,
                                 callback=self._on_bindok)

        self._start_consuming(QUEUE)
示例#18
0
    def _on_channel_closed(self, channel, reply_code, reply_text):
        """Chamado pelo pika quando o RabbitMq fecha inesperadamente o canal.
        
        Os canais geralmente são fechados se você tentar fazer algo que
        viola o protocolo, como declarar novamente uma troca ou fila com
        parâmetros diferentes. Neste caso, vamos fechar a conexão
        para desligar o objeto.

        :param pika.channel.Channel: The closed channel
        :param int reply_code: The numeric reason the channel was closed
        :param str reply_text: The text reason the channel was closed

        """
        LOGGER.warning('Channel %i foi fechado: (%s) %s', channel, reply_code,
                       reply_text)

        #TODO: Enviar pro Bot de monitoramento a motivação do erro:
        message = "Reply Code %s - %s", (reply_code, reply_text)
        self._monitoring.send(application="Servidor/Publisher",
                              message=message)

        self._server.connection.close()
示例#19
0
 def close_channel(self):
     LOGGER.info(
         'Sending a Basic.Cancel RPC command to RabbitMQ to close Publish Channel'
     )
     self._channel.basic_cancel("", callback=self._on_cancelok)
示例#20
0
 def _on_cancelok(self):
     LOGGER.info('RabbitMQ acknowledged the cancellation of the consumer')
     LOGGER.info('Closing the channel')
     self._channel.close()
示例#21
0
    def _on_bindok(self, unused_frame):
        """This method is invoked by pika when it receives the Queue.BindOk
        response from RabbitMQ. Since we know we're now setup and bound, it's
        time to start publishing."""

        LOGGER.info('Queue Publisher Bound')
示例#22
0
 def _non_acknowledge_message(self, delivery_tag):
     LOGGER.info('Nonacknowledging message %s', delivery_tag)
     self._channel.basic_reject(delivery_tag=delivery_tag, requeue=True)
示例#23
0
 def _acknowledge_message(self, delivery_tag):
     LOGGER.info('Acknowledging message %s', delivery_tag)
     self._channel.basic_ack(delivery_tag)
示例#24
0
    def _on_consumer_cancelled(self, method_frame):
        LOGGER.info('Consumidor cancelado remotamente, shutting down: %r',
                    method_frame)

        if self._channel:
            self._channel.close()
示例#25
0
 def _add_on_cancel_callback(self):
     LOGGER.info('Adicionando callback de cancelamento de consumo')
     self._channel.add_on_cancel_callback(self._on_consumer_cancelled)