I have some Ruby methods certain (or all) controllers need. I tried putting them in /app/helpers/application_helper.rb. I've used that for methods to be used in views. But controllers don't see those methods. Is there another place I should put them or do I need to access those helper methods differently?
Using latest stable Rails.
You should define the method inside ApplicationController.
For Rails 4 onwards, concerns are the way to go. There is a decent article here http://richonrails.com/articles/rails-4-code-concerns-in-active-record-models
In essence, if you look in your controllers folder you should see a concerns sub-folder. Create a module in there along these lines
module EventsHelper
  def do_something
  end
end
Then, in the controller just include it
class BadgeController < ApplicationController
  include EventsHelper
  ...
end
you should define methods inside application controller, if you have few methods then you can do as follow
class ApplicationController < ActionController::Base    
  helper_method :first_method
  helper_method :second_method
  def first_method
    ... #your code
  end
  def second_method
    ... #your code
  end
end
You can also include helper files as follow
class YourController < ApplicationController
  include OneHelper
  include TwoHelper
end
You can call any helper methods from a controller using the view_context, e.g.
view_context.my_helper_method
Ryan Bigg response is good.
Other possible solution is add helpers to your controller:
class YourController < ApplicationController
  include OneHelper
  include TwoHelper
 end
Best Regards!
来源:https://stackoverflow.com/questions/13613223/where-to-put-ruby-helper-methods-for-rails-controllers