我想实现一个用RabbitMQ调用远程服务的动作,并显示返回的数据。我实现了这个(目前为止更像是一个概念证明),其方式与此处的示例类似:https://github.com/baowen/RailsRabbit,它看起来像这样:
控制器:
def rpc
text = params[:text]
c = RpcClient.new('RPC server route key')
response = c.call text
render text: response
end
RabbitMQ RPC客户端:
class RpcClient < MQ
attr_reader :reply_queue
attr_accessor :response, :call_id
attr_reader :lock, :condition
def initialize()
# initialize exchange:
conn = Bunny.new(:automatically_recover => false)
conn.start
ch = conn.create_channel
@x = ch.default_exchange
@reply_queue = ch.queue("", :exclusive => true)
@server_queue = 'rpc_queue'
@lock = Mutex.new
@condition = ConditionVariable.new
that = self
@reply_queue.subscribe do |_delivery_info, properties, payload|
if properties[:correlation_id] == that.call_id
that.response = payload.to_s
that.lock.synchronize { that.condition.signal }
end
end
end
def call(message)
self.call_id = generate_uuid
@x.publish(message.to_s,
routing_key: @server_queue,
correlation_id: call_id,
reply_to: @reply_queue.name)
lock.synchronize { condition.wait(lock) }
response
end
private
def generate_uuid
# very naive but good enough for code
# examples
"#{rand}#{rand}#{rand}"
end
end
一些测试表明这种方法有效。另一方面,此方法假定为此操作的每个请求创建一个客户端(并订阅队列),根据RabbitMQ tutorial,这是低效的。所以我有两个问题:
答案 0 :(得分:2)
是否可以避免为每个Rails请求创建队列?
是的 - 每个请求都不需要拥有自己的回复队列。
您可以使用内置直接回复队列。请参阅the documentation here。
如果您不想使用直接回复功能,则可以为每个rails实例创建一个回复队列。您可以使用单个回复队列,并使用相关ID帮助您确定回复需要在该rails实例中的位置。
这种方法(使用线程和互斥)会如何干扰我的整个Rails环境?在Rails中以这种方式实现它是否安全?
此代码中锁/互斥锁的用途是什么?对我来说似乎没有必要,但我可能会遗漏一些东西,因为我在大约5年内没有做过红宝石:))