3

我有一个简单的 POST Grape 端点,在后台使用 Wisper pub/sub:

module Something
  class Doit < Grape::API
    post :now do
      service = SomePub.new
      service.subscribe(SomeSub.new)
      service.call(params)
    end
  end
end

这是SomeSub实际发生计算的地方:

class SomeSub
  def do_calculations(payload)
     {result: "42"}.to_json
  end
end

SomePub也很简单:

class SomePub
  include Wisper::Publisher

  def call(payload)
    broadcast(:do_calculations, payload)
  end
end

所以我需要的是{result: "42"}在调用葡萄的post :now端点时用 JSON 响应。

不幸的是,它不能以这种方式工作,而我所拥有的是:

{"local_registrations":[{"listener":{},"on":{},"with":null,"prefix":"","allowed_classes":[],"broadcaster":{}}]}

Wisper wiki 中的那个例子并没有太大帮助(https://github.com/krisleech/wisper/wiki/Grape

SomePub#do_calculations由于葡萄的端点调用,任何想法如何实际传递结果?

4

1 回答 1

3

PubSub 模式的要点是 Publisher完全不知道它的订阅者。您想要实现的是将订阅者的结果传递回发布者,这与所有想法背道而驰。

但是,您可以做的是使您的订阅者也成为发布者,并在单独的订阅者中收集响应。

请注意,这是示例代码,因为我手头没有安装 Grape(但希望它可以工作):

class ResponseListener
  attr_reader :response

  def initialize
    @response = {}
  end

  def collect_response(item)
    @response.merge!(item) # customize as you wish
  end
end

class SomeSub
  include Wisper::Publisher

  def do_calculations(payload)
     broadcast(:collect_response, result: "42")
  end
end

module Something
  class Doit < Grape::API
    post :now do
      response_listener = ResponseListener.new
      # globally subscribe response_listener to all events it can respond to
      Wisper.subscribe(response_listener) 

      service = SomePub.new
      service.subscribe(SomeSub.new)
      service.call(params)

      response_listener.response.to_json # render collected response
    end
  end
end
于 2015-09-16T20:18:58.180 回答