当我加载脚本/控制台时,有时我想使用控制器或视图助手方法的输出。
有没有办法:
模拟一个请求? 从控制器实例调用方法说请求? 测试助手方法,无论是通过所说的控制器实例或其他方式?
当我加载脚本/控制台时,有时我想使用控制器或视图助手方法的输出。
有没有办法:
模拟一个请求? 从控制器实例调用方法说请求? 测试助手方法,无论是通过所说的控制器实例或其他方式?
当前回答
你可以像下面这样在Ruby on Rails控制台中访问你的方法:
controller.method_name
helper.method_name
其他回答
在Ruby on Rails 3中,试试这个:
session = ActionDispatch::Integration::Session.new(Rails.application)
session.get(url)
body = session.response.body
主体将包含URL的HTML。
如何路由和呈现(调度)从一个模型在Ruby on Rails 3
如果方法是POST方法,那么:
app.post 'controller/action?parameter1=value1¶meter2=value2'
(这里的参数将根据您的适用性而定。)
如果是GET方法,则:
app.get 'controller/action'
从脚本/控制台和视图/操作响应对象调用控制器动作的简单方法是:
> app.get '/posts/1'
> response = app.response
# You now have a Ruby on Rails response object much like the integration tests
> response.body # Get you the HTML
> response.cookies # Hash of the cookies
# etc., etc.
app对象是ActionController::Integration::Session的实例
在我使用Ruby on Rails 2.1和2.3时,这是可行的,我没有尝试更早的版本。
这里有一种方法可以通过控制台做到这一点:
>> foo = ActionView::Base.new
=> #<ActionView::Base:0x2aaab0ac2af8 @assigns_added=nil, @assigns={}, @helpers=#<ActionView::Base::ProxyModule:0x2aaab0ac2a58>, @controller=nil, @view_paths=[]>
>> foo.extend YourHelperModule
=> #<ActionView::Base:0x2aaab0ac2af8 @assigns_added=nil, @assigns={}, @helpers=#<ActionView::Base::ProxyModule:0x2aaab0ac2a58>, @controller=nil, @view_paths=[]>
>> foo.your_helper_method(args)
=> "<html>created by your helper</html>"
创建ActionView::Base的新实例可以让你访问你的助手可能使用的普通视图方法。然后扩展YourHelperModule,将它的方法混合到你的对象中,让你查看它们的返回值。
对于控制器,可以在Ruby on Rails控制台中实例化控制器对象。
例如,
class CustomPagesController < ApplicationController
def index
@customs = CustomPage.all
end
def get_number
puts "Got the Number"
end
protected
def get_private_number
puts 'Got private Number'
end
end
custom = CustomPagesController.new
2.1.5 :011 > custom = CustomPagesController.new
=> #<CustomPagesController:0xb594f77c @_action_has_layout=true, @_routes=nil, @_headers={"Content-Type"=>"text/html"}, @_status=200, @_request=nil, @_response=nil>
2.1.5 :014 > custom.get_number
Got the Number
=> nil
# For calling private or protected methods,
2.1.5 :048 > custom.send(:get_private_number)
Got private Number
=> nil