美文网首页RabbitMQ
RabbitMQ入门学习2 - 应用示例

RabbitMQ入门学习2 - 应用示例

作者: 红薯爱帅 | 来源:发表于2017-10-28 18:57 被阅读14次

    1,RabbitMQ的由来

    RabbitMQ是一个由erlang开发的AMQP(Advanced Message Queue)的开源实现。AMQP 的出现其实也是应了广大人民群众的需求,虽然在同步消息通讯的世界里有很多公开标准(如 COBAR的 IIOP ,或者是 SOAP 等),但是在异步消息处理中却不是这样,只有大企业有一些商业实现(如微软的 MSMQ ,IBM 的 Websphere MQ 等),因此,在 2006 年的 6 月,Cisco 、Redhat、iMatix 等联合制定了 AMQP 的公开标准。

    RabbitMQ是由RabbitMQ Technologies Ltd开发并且提供商业支持的。该公司在2010年4月被SpringSource(VMWare的一个部门)收购。在2013年5月被并入Pivotal。其实VMWare,Pivotal和EMC本质上是一家的。不同的是VMWare是独立上市子公司,而Pivotal是整合了EMC的某些资源,现在并没有上市。
    RabbitMQ的官网是http://www.rabbitmq.com

    2,RabbitMQ的应用场景

    RabbitMQ,或者说AMQP解决了什么问题,或者说它的应用场景是什么?

    对于一个大型的软件系统来说,它会有很多的组件或者说模块或者说子系统或者(subsystem or Component or submodule)。那么这些模块的如何通信?这和传统的IPC有很大的区别。传统的IPC很多都是在单一系统上的,模块耦合性很大,不适合扩展(Scalability);如果使用socket那么不同的模块的确可以部署到不同的机器上,但是还是有很多问题需要解决。比如:
    1)信息的发送者和接收者如何维持这个连接,如果一方的连接中断,这期间的数据如何方式丢失?
    2)如何降低发送者和接收者的耦合度?
    3)如何让Priority高的接收者先接到数据?
    4)如何做到load balance?有效均衡接收者的负载?
    5)如何有效的将数据发送到相关的接收者?也就是说将接收者subscribe 不同的数据,如何做有效的filter。
    6)如何做到可扩展,甚至将这个通信模块发到cluster上?
    7)如何保证接收者接收到了完整,正确的数据?

    AMDQ协议解决了以上的问题,而RabbitMQ实现了AMQP。

    3,系统架构

    RabbitMQ数据流.jpeg
    • Broker:简单来说就是消息队列服务器实体。
    • Exchange:消息交换机,它指定消息按什么规则,路由到哪个队列。
    • Queue:消息队列载体,每个消息都会被投入到一个或多个队列。
    • Binding:绑定,它的作用就是把exchange和queue按照路由规则绑定起来。
    • Routing Key:路由关键字,exchange根据这个关键字进行消息投递。
    • vhost:虚拟主机,一个broker里可以开设多个vhost,用作不同用户的权限分离。
    • producer:消息生产者,就是投递消息的程序。
    • consumer:消息消费者,就是接受消息的程序。
    • channel:消息通道,在客户端的每个连接里,可建立多个channel,每个channel代表一个会话任务。

    RabbitMQ支持多种开发语言,Python的RabbitMQ包:amqplib、txAMQP、pika

    4,基本示例(queue)

    单发送多接收.png
    • 发送端producer
    # coding:utf8
    import pika
    
    # 建立一个实例
    connection = pika.BlockingConnection(
        pika.ConnectionParameters('localhost',5672)  # 默认端口5672,可不写
        )
    # 声明一个管道,在管道里发消息
    channel = connection.channel()
    # 在管道里声明queue
    channel.queue_declare(queue='hello')
    # RabbitMQ a message can never be sent directly to the queue, it always needs to go through an exchange.
    channel.basic_publish(exchange='',
                          routing_key='hello',  # queue名字
                          body='Hello World!')  # 消息内容
    print(" [x] Sent 'Hello World!'")
    connection.close()  # 队列关闭
    
    • 接收端consumer
    # coding:utf8
    import pika
    import time
    
    # 建立实例
    connection = pika.BlockingConnection(pika.ConnectionParameters(
                   'localhost'))
    # 声明管道
    channel = connection.channel()
    
    # 为什么又声明了一个‘hello’队列?
    # 如果确定已经声明了,可以不声明。但是你不知道那个机器先运行,所以要声明两次。
    channel.queue_declare(queue='hello')
    
    def callback(ch, method, properties, body):  # 四个参数为标准格式
        print(ch, method, properties)  # 打印看一下是什么
        # 管道内存对象  内容相关信息  后面讲
        print(" [x] Received %r" % body)
        time.sleep(15)
        ch.basic_ack(delivery_tag = method.delivery_tag)  # 告诉生成者,消息处理完成
    
    channel.basic_consume(  # 消费消息
            callback,  # 如果收到消息,就调用callback函数来处理消息
            queue='hello',  # 你要从那个队列里收消息
            # no_ack=True  # 写的话,如果接收消息,机器宕机消息就丢了
            # 一般不写。宕机则生产者检测到发给其他消费者
            )
    
    print(' [*] Waiting for messages. To exit press CTRL+C')
    channel.start_consuming()  # 开始消费消息
    
    • 消费者处理消息的上限控制
    channel.basic_qos(prefetch_count=1)  # 按能力分发,如果有一个消息,就不再给消费者分发(前提是no_ack=False)
    
    • 消息持久化
    # 在管道里声明queue,每次声明队列的时候,都加上durable
    channel.queue_declare(queue='hello2', durable=True)
    
    # 发送端发送消息时,加上properties
    properties=pika.BasicProperties(
        delivery_mode=2,  # 消息持久化
        )
    

    5,广播模式(exchange)

    前面的效果都是一对一发,如果做一个广播效果可不可以,这时候就要用到exchange了 。
    exchange必须精确的知道收到的消息要发给谁。

    exchange的类型决定了怎么处理, 类型有以下几种:

    • fanout: 所有绑定到此exchange的queue都可以接收消息
    • direct: 通过routingKey和exchange决定的那个唯一的queue可以接收消息
    • topic: 所有符合routingKey(此时可以是一个表达式)的routingKey所bind的queue可以接收消息

    5.1,fanout 纯广播、all

    Exchange fanout.png
    • 需要queue和exchange绑定,因为消费者不是和exchange直连的,消费者是连在queue上,queue绑定在exchange上,消费者只会在queue里读消息

    • 发送端 publisher 发布、广播

    import pika
    import sys
    
    connection = pika.BlockingConnection(pika.ConnectionParameters(
            host='localhost'))
    channel = connection.channel()
    # 注意:这里是广播,不需要声明queue
    channel.exchange_declare(exchange='logs',  # 声明广播管道
                             type='fanout')
    
    # message = ' '.join(sys.argv[1:]) or "info: Hello World!"
    message = "info: Hello World!"
    channel.basic_publish(exchange='logs',
                          routing_key='',  # 注意此处空,必须有
                          body=message)
    print(" [x] Sent %r" % message)
    connection.close()
    
    • 接收端 subscriber 订阅
    import pika
    
    connection = pika.BlockingConnection(pika.ConnectionParameters(
            host='localhost'))
    channel = connection.channel()
    
    channel.exchange_declare(exchange='logs',
                             type='fanout')
    # 不指定queue名字,rabbit会随机分配一个名字,exclusive=True会在使用此queue的消费者断开后,自动将queue删除
    result = channel.queue_declare(exclusive=True)
    # 获取随机的queue名字
    queue_name = result.method.queue
    print("random queuename:", queue_name)
    
    channel.queue_bind(exchange='logs',  # queue绑定到转发器上
                       queue=queue_name)
    
    print(' [*] Waiting for logs. To exit press CTRL+C')
    
    def callback(ch, method, properties, body):
        print(" [x] %r" % body)
    
    channel.basic_consume(callback,
                          queue=queue_name,
                          no_ack=True)
    
    channel.start_consuming()
    
    • 注意:广播,是实时的,收不到就没了,消息不会存下来,类似收音机

    5.2,direct 有选择的接收消息

    Exchange direct.png
    • 接收者可以过滤消息,只收我想要的消息

    • 发送端publisher

    import pika
    import sys
    
    connection = pika.BlockingConnection(pika.ConnectionParameters(
            host='localhost'))
    channel = connection.channel()
    
    channel.exchange_declare(exchange='direct_logs',
                             type='direct')
    # 重要程度级别,这里默认定义为 info
    severity = sys.argv[1] if len(sys.argv) > 1 else 'info'
    message = ' '.join(sys.argv[2:]) or 'Hello World!'
    channel.basic_publish(exchange='direct_logs',
                          routing_key=severity,
                          body=message)
    print(" [x] Sent %r:%r" % (severity, message))
    connection.close()
    
    • 接收端subscriber
    import pika
    import sys
    
    connection = pika.BlockingConnection(pika.ConnectionParameters(
            host='localhost'))
    channel = connection.channel()
    
    channel.exchange_declare(exchange='direct_logs',
                             type='direct')
    
    result = channel.queue_declare(exclusive=True)
    queue_name = result.method.queue
    # 获取运行脚本所有的参数
    severities = sys.argv[1:]
    if not severities:
        sys.stderr.write("Usage: %s [info] [warning] [error]\n" % sys.argv[0])
        sys.exit(1)
    # 循环列表去绑定
    for severity in severities:
        channel.queue_bind(exchange='direct_logs',
                           queue=queue_name,
                           routing_key=severity)
    
    print(' [*] Waiting for logs. To exit press CTRL+C')
    
    def callback(ch, method, properties, body):
        print(" [x] %r:%r" % (method.routing_key, body))
    
    channel.basic_consume(callback,
                          queue=queue_name,
                          no_ack=True)
    
    channel.start_consuming()
    
    • 测试
    python direct_sonsumer.py info warning 
    python direct_sonsumer.py warning error
    

    5.3,topic 更细致的过滤

    Exchange topic.png
    • 比如把error中,apache和mysql的分别或取出来
    • 发送端publisher
    import pika
    import sys
    
    connection = pika.BlockingConnection(pika.ConnectionParameters(
            host='localhost'))
    channel = connection.channel()
    
    channel.exchange_declare(exchange='topic_logs',
                             type='topic')
    
    routing_key = sys.argv[1] if len(sys.argv) > 1 else 'anonymous.info'
    message = ' '.join(sys.argv[2:]) or 'Hello World!'
    channel.basic_publish(exchange='topic_logs',
                          routing_key=routing_key,
                          body=message)
    print(" [x] Sent %r:%r" % (routing_key, message))
    connection.close()
    
    • 接收端 subscriber
    import pika
    import sys
    
    connection = pika.BlockingConnection(pika.ConnectionParameters(
            host='localhost'))
    channel = connection.channel()
    
    channel.exchange_declare(exchange='topic_logs',
                             type='topic')
    
    result = channel.queue_declare(exclusive=True)
    queue_name = result.method.queue
    
    binding_keys = sys.argv[1:]
    if not binding_keys:
        sys.stderr.write("Usage: %s [binding_key]...\n" % sys.argv[0])
        sys.exit(1)
    
    for binding_key in binding_keys:
        channel.queue_bind(exchange='topic_logs',
                           queue=queue_name,
                           routing_key=binding_key)
    
    print(' [*] Waiting for logs. To exit press CTRL+C')
    
    def callback(ch, method, properties, body):
        print(" [x] %r:%r" % (method.routing_key, body))
    
    channel.basic_consume(callback,
                          queue=queue_name,
                          no_ack=True)
    
    channel.start_consuming()
    
    • 测试
    需要补充
    

    6,RPC实现

    不知道你有没有发现,上面的流都是单向的,如果远程的机器执行完返回结果,就实现不了了。
    如果返回,这种模式叫什么呢,RPC(远程过程调用),snmp就是典型的RPC
    RabbitMQ能不能返回呢,怎么返回呢?既是发送端又是接收端。
    但是接收端返回消息怎么返回?可以发送到发过来的queue里么?不可以。
    返回时,再建立一个queue,把结果发送新的queue里
    为了服务端返回的queue不写死,在客户端给服务端发指令的的时候,同时带一条消息说,你结果返回给哪个queue

    • RPC Client
    import pika
    import uuid
    import time
    
    class FibonacciRpcClient(object):
        def __init__(self):
            self.connection = pika.BlockingConnection(pika.ConnectionParameters(
                    host='localhost'))
            self.channel = self.connection.channel()
            result = self.channel.queue_declare(exclusive=True)
            self.callback_queue = result.method.queue
    
            self.channel.basic_consume(self.on_response,  # 只要一收到消息就调用on_response
                                       no_ack=True,
                                       queue=self.callback_queue)  # 收这个queue的消息
    
        def on_response(self, ch, method, props, body):  # 必须四个参数
            # 如果收到的ID和本机生成的相同,则返回的结果就是我想要的指令返回的结果
            if self.corr_id == props.correlation_id:
                self.response = body
    
        def call(self, n):
            self.response = None  # 初始self.response为None
            self.corr_id = str(uuid.uuid4())  # 随机唯一字符串
            self.channel.basic_publish(
                    exchange='',
                    routing_key='rpc_queue',  # 发消息到rpc_queue
                    properties=pika.BasicProperties(  # 消息持久化
                        reply_to = self.callback_queue,  # 让服务端命令结果返回到callback_queue
                        correlation_id = self.corr_id,  # 把随机uuid同时发给服务器
                    ),
                    body=str(n)
            )
            while self.response is None:  # 当没有数据,就一直循环
                # 启动后,on_response函数接到消息,self.response 值就不为空了
                self.connection.process_data_events()  # 非阻塞版的start_consuming()
                # print("no msg……")
                # time.sleep(0.5)
            # 收到消息就调用on_response
            return int(self.response)
    
    if __name__ == '__main__':
        fibonacci_rpc = FibonacciRpcClient()
        print(" [x] Requesting fib(7)")
        response = fibonacci_rpc.call(7)
        print(" [.] Got %r" % response)
    
    • RPC Server
    import pika
    import time
    
    def fib(n):
        if n == 0:
            return 0
        elif n == 1:
            return 1
        else:
            return fib(n-1) + fib(n-2)
    
    def on_request(ch, method, props, body):
        n = int(body)
        print(" [.] fib(%s)" % n)
        response = fib(n)
    
        ch.basic_publish(
                exchange='',  # 把执行结果发回给客户端
                routing_key=props.reply_to,  # 客户端要求返回想用的queue
                # 返回客户端发过来的correction_id 为了让客户端验证消息一致性
                properties=pika.BasicProperties(correlation_id = props.correlation_id),
                body=str(response)
        )
        ch.basic_ack(delivery_tag = method.delivery_tag)  # 任务完成,告诉客户端
    
    if __name__ == '__main__':
        connection = pika.BlockingConnection(pika.ConnectionParameters(
                host='localhost'))
        channel = connection.channel()
        channel.queue_declare(queue='rpc_queue')  # 声明一个rpc_queue ,
    
        channel.basic_qos(prefetch_count=1)
        # 在rpc_queue里收消息,收到消息就调用on_request
        channel.basic_consume(on_request, queue='rpc_queue')
        print(" [x] Awaiting RPC requests")
        channel.start_consuming()
    

    7,参考页面

    rabitt mq
    http://blog.csdn.net/fgf00/article/details/52872730

    RabbitMQ从入门到精通
    http://blog.csdn.net/column/details/rabbitmq.html

    相关文章

      网友评论

        本文标题:RabbitMQ入门学习2 - 应用示例

        本文链接:https://www.haomeiwen.com/subject/kabspxtx.html