Elixir Supervisors - 您如何命名监督任务

时间:2015-07-14 01:23:43

标签: elixir otp supervisor

我真的在与Elixir主管挣扎,并弄清楚如何命名它们以便我可以使用它们。基本上,我只是想开始一个受监督的Task我可以发送消息。

所以我有以下内容:

defmodule Run.Command do
  def start_link do
    Task.start_link(fn ->
      receive do
        {:run, cmd} -> System.cmd(cmd, [])
      end
    end)
  end
end

项目入口点为:

defmodule Run do
  use Application

  # See http://elixir-lang.org/docs/stable/elixir/Application.html
  # for more information on OTP Applications
  def start(_type, _args) do
    import Supervisor.Spec, warn: false

    children = [
      # Define workers and child supervisors to be supervised
      worker(Run.Command, [])
    ]

    # See http://elixir-lang.org/docs/stable/elixir/Supervisor.html
    # for other strategies and supported options
    opts = [strategy: :one_for_one, name: Run.Command]
    Supervisor.start_link(children, opts)
  end
end

此时,我甚至不相信我正在使用正确的东西(Task具体而言)。基本上,我想要的只是在应用程序启动时生成一个进程或任务或GenServer或者任何正确的东西,我可以发送消息,其实质上是System.cmd(cmd, opts)。我希望监督这项任务或过程。当我向{:run, cmd, opts}发送{:run, "mv", ["/file/to/move", "/move/to/here"]}消息时,我希望它生成一个新任务或进程来执行该命令。对于我的使用,我甚至不需要从任务中获得响应,我只需要它来执行。任何有关去哪里的指导都会有所帮助。我已经阅读了入门指南,但说实话,这让我更加困惑,因为当我尝试做的事情时,它永远不会像在应用程序中那样结束。

感谢您的耐心等待。

1 个答案:

答案 0 :(得分:8)

我只想使用GenServer,设置如下:

defmodule Run do
  use Application

  def start(_, _) do
    import Supervisor.Spec, warn: false

    children = [worker(Run.Command, [])]
    Supervisor.start_link(children, strategy: :one_for_one)
  end
end

defmodule Run.Command do
  use GenServer

  def start_link do
    GenServer.start_link(__MODULE__, [], name: __MODULE__)
  end

  def run(cmd, opts) when is_list(opts), do: GenServer.call(__MODULE__, {:run, cmd, opts})
  def run(cmd, _), do: GenServer.call(__MODULE__, {:run, cmd, []})

  def handle_call({:run, cmd, opts}, _from, state) do
    {:reply, System.cmd(cmd, opts), state}
  end
  def handle_call(request, from, state), do: super(request, from, state)
end

然后,您可以向正在运行的进程发送一个命令来执行,如下所示:

# If you want the result
{contents, _} = Run.Command.run("cat", ["path/to/some/file"])
# If not, just ignore it
Run.Command.run("cp", ["path/to/source", "path/to/destination"])

基本上我们正在创造一个"单身"进程(只能使用给定名称注册一个进程,并且我们使用模块名称注册Run.Command进程,因此在进程运行时对start_link的任何连续调用都将失败。但是,这样可以很容易地设置一个API(run函数),它可以在另一个进程中透明地执行命令,而调用进程不必了解它。我使用了call vs. cast在这里,但如果您永远不关心结果并且不希望调用进程被阻止,那么这将是一个微不足道的变化。

对于长期运行的东西,这是一个更好的模式。对于一次性的事情,Task更加简单易用,但我更喜欢将GenServer用于此类个人全球流程。