2021年11月17日 星期三

RabbitMQ (6):使用 RabbitMQ 建立 RPC system

 

什麼是RPC

RPC 全名 Remote Procedure Callback,是一種電腦通信協定,該協定允許執行於一台電腦的程式呼叫另一個位址空間(通常為一個開放網路的一台電腦)的子程式

程式碼看起來就像呼叫一般的函式,但其實底層是呼叫遠端別的程式的函式


RabbitMQ 實作 RPC


Cient 送出 request消息到名為 rpc_queue 的 Queue 中,消息會帶兩個值:reply_tocorrelation_idreply_to 設定 callback queue,而 correlaiton_id 帶的是一個 unique value 每個 request 消息都應不同

server 在處理完消息後會回傳結果訊息給 reply_to 設定的 callback queue, client 等待從 callback queue 回來的資料,透過 correlation_id 來比對是哪個 request 的結果


Server 端的程式碼

import pika

connection = pika.BlockingConnection(
    pika.ConnectionParameters(host='localhost'))

channel = connection.channel()

channel.queue_declare(queue='rpc_queue')

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,    # 使用 default exchange 回傳給 reply_to 指的 queue
                     properties=pika.BasicProperties(correlation_id = \
                                                         props.correlation_id),
                     body=str(response))
    ch.basic_ack(delivery_tag=method.delivery_tag)

channel.basic_qos(prefetch_count=1)
channel.basic_consume(queue='rpc_queue', on_message_callback=on_request)

print(" [x] Awaiting RPC requests")
channel.start_consuming()


Client 端的程式碼

import pika
import uuid

class FibonacciRpcClient(object):

    def __init__(self):
        self.connection = pika.BlockingConnection(
            pika.ConnectionParameters(host='localhost'))

        self.channel = self.connection.channel()

        result = self.channel.queue_declare(queue='', exclusive=True)
        self.callback_queue = result.method.queue

        self.channel.basic_consume(
            queue=self.callback_queue,
            on_message_callback=self.on_response,   # 從 callback_queue 收到訊息後會執行的函式
            auto_ack=True)

    def on_response(self, ch, method, props, body):
        if self.corr_id == props.correlation_id:
            self.response = body

    def call(self, n):
        self.response = None
        self.corr_id = str(uuid.uuid4())
        self.channel.basic_publish(
            exchange='',
            routing_key='rpc_queue',
            properties=pika.BasicProperties(
                reply_to=self.callback_queue,
                correlation_id=self.corr_id,
            ),
            body=str(n))
        while self.response is None:
            self.connection.process_data_events()  # 沒從 reply queue 收到消息前會卡在這,每當收到消息會執行 on_message_callback 函式,執行完後才跑下一行程式碼
        return int(self.response)


fibonacci_rpc = FibonacciRpcClient()

print(" [x] Requesting fib(30)")
response = fibonacci_rpc.call(30)
print(" [.] Got %r" % response)



上一章:RabbitMQ (5):路由設定與Exchange種類




沒有留言:

張貼留言