我遇到与Accessing a variable within a rails thread的海报相同的问题,但我发现答案并没有提供真正的答案,而是提供了如何测试的详细信息。
我正在https://devcenter.heroku.com/articles/ruby-websockets
跟踪相同的Heroku文章我正在为我们的webapp应用程序构建一个功能,该功能将在后台进程完成时通知客户端浏览器。
基本流程是用户通过提交REST服务来启动长时间运行的进程。此服务将旋转Resque后台进程并将响应发送回进程已启动的客户端应用程序。后台进程启动后,服务器将向客户端发送websocket以通知用户已完成。
我所拥有的是Rack中间件类,它将侦听websocket连接并将该连接添加到实例变量数组。如果它不是websocket连接,那么呼叫继续在链中。
中间件类还订阅了redis pub / sub事件,以便在后台进程完成时通知它。然后,应该在订阅块中迭代实例变量数组中的客户端,以向客户端发送websocket消息。但是,正如另一篇文章所指出的,在订阅块
中,客户端数组是空的我已经采取措施通过使用互斥锁包装对实例变量的访问来确保它是线程安全的
我可以看到,当浏览器连接时,客户端数组正在递增,我可以看到它正确断开连接。另外,我可以看到我的pub / sub代码工作正常
我已经查看了日志消息,并且在创建多个实例或删除连接时没有看到任何错误。
一些调查/讨论表明该变量在线程中不可用,但我不相信这是真的。我们不会在这里分配代码,这将导致新的内存空间。
知道实例变量数组是空的吗?
代码如下:
require 'faye/websocket'
module FitmoWebSockets
class ActivitiesNotifier
KEEPALIVE_TIME = 15 # in seconds
REDIS_CHANNEL = "worker-job"
def initialize(app)
puts "initializing FitmoWebSockets"
@app = app
@clientMgr = WebsocketClientManager.new
uri = URI.parse(ENV["REDIS_URL"])
@redis = Redis.new(host: uri.host, port: uri.port, password: uri.password)
Thread.new do
redis_sub = Redis.new(host: uri.host, port: uri.port, password: uri.password)
redis_sub.subscribe(REDIS_CHANNEL) do |on|
on.message do |channel, msg|
clients = @clientMgr.list_clients
puts "redis message received [channel: #{channel}][msg: #{msg}][clients(#{clients.class.name} #{clients.object_id}): #{clients.count}]"
clients.each {|ws| ws.send(msg) }
end
end
end
end
def call(env)
if Faye::WebSocket.websocket?(env)
ws = Faye::WebSocket.new(env, nil, {ping: KEEPALIVE_TIME })
ws.on :open do |event|
p [:open, ws.object_id]
@clientMgr.add(ws)
end
ws.on :message do |event|
p [:message, event.data]
#@redis.publish(CHANNEL, sanitize(event.data))
end
ws.on :close do |event|
p [:close, ws.object_id, event.code, event.reason]
@clientMgr.remove(ws)
ws = nil
end
# Return async Rack response
ws.rack_response
else
@app.call(env)
end
end
end
class WebsocketClientManager
def initialize
puts "initializing WebsocketClientManager"
@lock = Mutex.new
@clients = []
end
def add(ws)
@lock.synchronize {
@clients.push(ws)
puts "new client added [clients(#{@clients.class.name} #{@clients.object_id}): #{@clients.count}]"
}
end
def remove(ws)
@lock.synchronize {
@clients.delete(ws)
puts "client removed [clients(#{@clients.class.name} #{@clients.object_id}): #{@clients.count}]"
}
end
def list_clients
@lock.synchronize {
puts "listing clients [clients(#{@clients.class.name} #{@clients.object_id}): #{@clients.count}]"
@clients
}
end
end
end
我在工作进程中调用的发布调用如下
def self.perform(trainer_id, parent_activity_id, child_data)
puts "CreateUpdateSubActivityJob: performing task"
rescue => e
trainer = User.find_by_id(trainer_id)
notify_trainer(trainer, parent_activity_id, child_data)
raise
ensure
puts "CreateUpdateSubActivityJob: publishing redis event"
data = { "user" => trainer_id, "job" => "CreateUpdateSubActivityJob" }
$redis.publish 'worker-job', data.to_json
end