我刚刚开始开发我的第一个Phoenix应用程序,问题是我想将控制器中的每个动作都包含一些通用的代码行。它们从多个Ecto模型中获取数据并将其保存到变量中以供使用。

在Rails中,我可以简单地定义一个方法并在控制器中使用before_filter进行调用。我可以从@variable访问结果。我知道使用Plugs是关键,但是我不清楚如何实现这一点,更具体地说:


params访问请求Plug
并使变量在操作中可访问




作为参考,这是我正在尝试做的Rails版本:

class ClassController < ApplicationController
    before_filter :load_my_models

    def action_one
        # Do something with @class, @students, @subject and @topics
    end

    def action_two
        # Do something with @class, @students, @subject and @topics
    end

    def action_three
        # Do something with @class, @students, @subject and @topics
    end

    def load_my_models
        @class    = Class.find    params[:class_id]
        @subject  = Subject.find  params[:subject_id]

        @students = @class.students
        @topics   = @subject.topics
    end
end


谢谢!

最佳答案

您确实可以使用PlugPlug.Conn.assign实现此目的。

defmodule TestApp.PageController do
  use TestApp.Web, :controller

  plug :store_something
  # This line is only needed in old phoenix, if your controller doesn't
  # have it already, don't add it.
  plug :action

  def index(conn, _params) do
    IO.inspect(conn.assigns[:something]) # => :some_data
    render conn, "index.html"
  end

  defp store_something(conn, _params) do
    assign(conn, :something, :some_data)
  end
end


请记住在操作插件之前添加插件声明,因为它们是按顺序执行的。

10-02 22:22