2

我目前正在尝试用一个小的 phoenix 应用程序替换我需要做的是从通道获取信息并将其流式传输到客户端。我一直在尝试使用 Redis.PuSub 和 Phoenix Redis 适配器,但无法完全涵盖我们目前拥有的功能。

当前的功能是这样工作的:

我们的服务器接收来自用户的请求并将一些输出记录到 Redis 通道。该频道的名称是字符串和键的组合。然后 Ember 客户端使用相同的密钥向 action-cable 发出请求。然后 Action-cable 从 Redis 通道以相同的名称流式传输记录的信息。我需要知道的是,当用户发出请求并将该信息连续流式传输到客户端时,如何开始收听具有给定名称的 Redis 通道。我已经设法得到其中之一,但不是两者兼而有之。

一天多来,我一直在努力解决这个问题,因此非常感谢任何帮助。

干杯

4

1 回答 1

3

所以为了解决这个问题,我做了以下事情。

首先,我根据文档将 Redix.PubSub 设置为依赖项。然后在我做的频道中:

defmodule MyApp.ChannelName do
  use Phoenix.Channel

  def join(stream_name, _message, socket) do
    # Open a link to the redis server
    {:ok, pubsub} = Redix.PubSub.start_link()

    # Subscribe to the users stream
    Redix.PubSub.subscribe(pubsub, stream_name, self())

    {:ok, socket}
  end

  # Avoid throwing an error when a subscribed message enters the channel
  def handle_info({:redix_pubsub, redix_pid, :subscribed, _}, socket) do
    {:noreply, socket}
  end

  # Handle the message coming from the Redis PubSub channel
  def handle_info({:redix_pubsub, redix_pid, :message, %{channel: channel, payload: message}}, socket) do
    # Push the message back to the user
    push socket, "#{channel}", %{message: message}
    {:noreply, socket}
  end
end

在我的情况下,我要求用户使用某个名称注册一个频道,例如channel_my_api_key。然后我将开始在 redis 频道上收听并通过该功能channel_my_api_key将信息流回给用户。push注意广播可以代替推送。

还要感谢 Elixir 论坛的 Alex Garibay 帮助我找到了解决方案。你可以在这里找到线程。

于 2016-10-06T18:41:07.457 回答