5

我正在将我的 Rails 插件升级为可与最新 3.0RC1 版本一起使用的引擎,但在找出扩展ActionController. 我已经在 SO 上看到了 DHH 的这篇文章和这个问题,但我的问题更多是关于如何在ActionController.

例如,我需要在我的引擎控制器中调用以下命令:

class ApplicationController < ActionController::Base
  helper :all

  before_filter :require_one_user
  after_filter :store_location

  private
    def require_one_user
      # Code goes here
    end

    def store_location
      # Code goes here
    end
end

我知道如何正确地包含我的两个私有函数,但我找不到让它正确调用helper,before_filterafter_filter.

我将不胜感激一些链接或使这项工作的方法。我曾尝试将我的控制器命名为其他名称ApplicationController并对其进行真正的ApplicationController扩展,但这似乎也不起作用。我真的很喜欢任何让引擎用户的生活尽可能轻松的解决方案。理想情况下,他们不必扩展我的课程,但他们会将所有功能都内置到他们自己的ApplicationController.

4

2 回答 2

10

您可能还想查看引擎子类中的初始化程序,因此您不必在控制器类中包含视图助手。这将使您能够控制这些模块的加载顺序。

这是我一直在使用的:


module MyEngine  
  class Engine < Rails::Engine  
    initializer 'my_engine.helper' do |app|  
      ActionView::Base.send :include, MyEngineHelper  
    end  

    initializer 'my_engine.controller' do |app|  
      ActiveSupport.on_load(:action_controller) do  
         include MyEngineActionControllerExtension  
      end
    end
  end
end

此外,动作控制器扩展的另一个选项是使用 mixin 模块。这将让您使用 before_filter、after_filter 等。


module MyEngineActionControllerExtension
  def self.included(base)
    base.send(:include, InstanceMethods) 
    base.before_filter :my_method_1
    base.after_filter :my_method_2
  end

  module InstanceMethods
   #...........
  end
end

另一件事......如果您在 gem 的顶层创建默认的 rails 目录,您不必担心需要帮助程序或控制器。您的引擎子类可以访问它们。所以我在这里添加我的应用程序控制器和应用程序助手扩展:

/myengine/app/helpers/myengine_application_helper_extension.rb
/myengine/app/controllers/my_engine_action_controller_extension.rb

我喜欢这个设置,因为它看起来类似于您的 rails 应用程序中的 application_controller 和 application_helper。同样,这只是个人喜好,但我尽量保留与 Rails 直接相关的任何内容,例如 /my_engine/app 中的控制器、助手和模型,以及 /my_engine/lib 中通常与插件相关的任何内容

查看 Jose Valim 的本教程以获取有关初始化程序的更多信息: https ://gist.github.com/e139fa787aa882c0aa9c (engine_name 现在已弃用,但该文档的大部分内容似乎是最新的)

于 2010-08-16T02:25:23.967 回答
3

所以,我终于想出了解决方案,我希望它可以帮助别人。

您需要在 lib 目录中创建一个文件,因为您实际上是要扩展该类。我做到了myplugin/lib/extensions/action_controller_base.rb

然后,在您的myplugin/lib/myplugin.rb文件中,执行以下操作:

require 'extensions/action_controller_base.rb'

里面myplugin/lib/extensions/action_controller_base.rb放了以下内容:

require 'action_controller'  # Make sure ActionController::Base is defined

ActionController::Base.class_eval {
  private
    def my_method_1
      # Code Goes Here
    end

    def my_method_2
      # Code Goes Here
    end
}

ActionController::Base.instance_eval {
  helper_method :my_method_1, :my_method_2

  before_filter :my_method_1
  after_filter :my_method_2
}

如果您需要查看助手,请在myplugin/lib/helpers目录中创建它们(或 lib 中的任何内容,名称“助手”无关紧要),并将以下内容添加到底部myplugin/lib/extensions/action_controller_base.rb

require 'helpers/helper_file_1'
require 'helpers/helper_file_2'

ActionView::Base.send :include, MyHelper1
ActionView::Base.send :include, MyHelper2
于 2010-08-14T16:16:49.143 回答