MQ消息中间件
消息队列(MQ)是一种应用间的通信方式,可以用来解耦、缓冲和异步处理。以下是使用消息队列的一些常见场景:
- 解耦:系统间通过消息传递而不是直接调用,减少系统间的依赖。
- 缓冲:高峰时段缓存消息,低峰时段慢慢处理。
- 异步处理:不需要立即处理消息。
常见的MQ中间件有Kafka、RabbitMQ、ActiveMQ、RocketMQ等。以下是使用Python和RabbitMQ的一个简单示例:
首先,安装RabbitMQ和Python的pika库(RabbitMQ的客户端):
pip install pika
生产者(发送消息):
import pika
connection = pika.BlockingConnection(pika.ConnectionParameters('localhost'))
channel = connection.channel()
channel.queue_declare(queue='hello')
channel.basic_publish(exchange='',
routing_key='hello',
body='Hello World!')
print(" [x] Sent 'Hello World!'")
connection.close()
消费者(接收消息并处理):
import pika
connection = pika.BlockingConnection(pika.ConnectionParameters('localhost'))
channel = connection.channel()
channel.queue_declare(queue='hello')
def callback(ch, method, properties, body):
print(f" [x] Received {body}")
channel.basic_consume(queue='hello', on_message_callback=callback, auto_ack=True)
print(' [*] Waiting for messages. To exit press CTRL+C')
channel.start_consuming()
在这个例子中,生产者发送消息到名为"hello"的队列,消费者从该队列中接收消息并打印。这里使用了默认的交换机(exchange)和路由键(routing\_key)。
评论已关闭