Ruby on Rails의 콘솔에서 컨트롤러 / 뷰 헬퍼 메소드를 어떻게 호출 할 수 있습니까?


442

내가로드 할 때 script/console때로는 컨트롤러의 출력 또는 뷰 도우미 메소드로 놀고 싶습니다.

다음과 같은 방법이 있습니까?

  • 요청을 시뮬레이션?
  • 상기 요청에 따라 컨트롤러 인스턴스로부터 메소드를 호출 하는가?
  • 상기 컨트롤러 인스턴스 또는 다른 방법을 통해 도우미 메소드를 테스트합니까?

답변:


479

헬퍼를 호출하려면 다음 helper객체를 사용하십시오 .

$ ./script/console
>> helper.number_to_currency('123.45')
=> "R$ 123,45"

당신이 (당신이 제거하기 때문에, 말하자면 기본적으로 포함 아니에요 도우미 사용하려면 helper :all에서를 ApplicationController) 그냥 도우미를 포함한다.

>> include BogusHelper
>> helper.bogus
=> "bogus output"

컨트롤러 를 다루는 것에 관해서는 Nick의 대답을 인용합니다 .

> app.get '/posts/1'
> response = app.response
# you now have a rails response object much like the integration tests

> response.body            # get you the HTML
> response.cookies         # hash of the cookies

# etc, etc

4
둘 이상을 실행할 수 없다는 것을 관찰했습니다 app.get(스레드 오류가 발생합니다). 시스템을 비우고 더 많은 가져 오기를 실행할 수있는 방법이 있습니까?
JellicleCat

2
Rails 3.2에서는 작동하지 않습니다. url_for콘솔에서 전화해야 했어요 이렇게하기 위해app.url_for(...)
Raphael

1
콘솔 내에서 NoMethodError: undefined method `protect_against_forgery?' for nil:NilClass호출되는 함수 를 정의 protect_against_forgery?하려면false
Sida Zhou

현재 로그인 한 사용자를 어떻게 설정합니까?

1
@RudolfOlah 장치 (또는 소장)를 사용하는 경우으로 할 수있는 것 같습니다 ActionDispatch::Integration::Session.include(Warden::Test::Helpers); Warden.test_mode! ; app.login_as(User.find(1), scope: :user).
eloyesp

148

스크립트 / 콘솔에서 컨트롤러 작업을 호출하고 응답 개체를보고 조작하는 쉬운 방법은 다음과 같습니다.

> 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.

앱 객체는 ActionController :: Integration :: Session 의 인스턴스입니다.

이것은 Ruby on Rails 2.1 및 2.3을 사용하여 작동하며 이전 버전을 시도하지 않았습니다.


2
앱 객체에 대한 공식 문서 링크가 좋을 것입니다.
RajaRaviVarma

ActionController :: Integration :: Session 클래스의 인스턴스입니다. 포함하도록 답변을 업데이트했습니다.
Nick

좋은 생각이야 나는 이것을 생각하지 않았다.
Marnen Laibow-Koser

5
콘솔을 어떻게 인증하여 인증이 필요한 컨트롤러를 확인할 수 있습니까?
Mild Fuzz

7
app.post '/ session / new', {: username => "foo", : password => "pass"}와 같이 로그인 페이지에 게시 할 수 있어야합니다. 그런 다음 동일한 "앱"변수를 계속 사용하여 그 이후에 페이지를 가져옵니다.
Nick

108

콘솔에서 테스트해야하는 경우 (Ruby on Rails 3.1 및 4.1에서 테스트) :

통화 컨트롤러 작업 :

app.get '/'
   app.response
   app.response.headers  # => { "Content-Type"=>"text/html", ... }
   app.response.body     # => "<!DOCTYPE html>\n<html>\n\n<head>\n..."

ApplicationController 메소드 :

foo = ActionController::Base::ApplicationController.new
foo.public_methods(true||false).sort
foo.some_method

경로 도우미 :

app.myresource_path     # => "/myresource"
app.myresource_url      # => "http://www.example.com/myresource"

헬퍼보기 :

foo = ActionView::Base.new

foo.javascript_include_tag 'myscript' #=> "<script src=\"/javascripts/myscript.js\"></script>"

helper.link_to "foo", "bar" #=> "<a href=\"bar\">foo</a>"

ActionController::Base.helpers.image_tag('logo.png')  #=> "<img alt=\"Logo\" src=\"/images/logo.png\" />"

세우다:

views = Rails::Application::Configuration.new(Rails.root).paths["app/views"]
views_helper = ActionView::Base.new views
views_helper.render 'myview/mytemplate'
views_helper.render file: 'myview/_mypartial', locals: {my_var: "display:block;"}
views_helper.assets_prefix  #=> '/assets'

ActiveSupport 방법 :

require 'active_support/all'
1.week.ago
=> 2013-08-31 10:07:26 -0300
a = {'a'=>123}
a.symbolize_keys
=> {:a=>123}

라이브러리 모듈 :

> require 'my_utils'
 => true
> include MyUtils
 => Object
> MyUtils.say "hi"
evaluate: hi
 => true

1
레일 러너를 사용하여 실행할 독립적 인 루비 스크립트를 작성하고 애플리케이션 컨트롤러에서 메소드를 호출해야 할 때 도움이됩니다. 감사합니다
CodeExpress

@CodeExpress 결코 일어나지 않아야합니다. 대신, 메소드를 서비스 오브젝트에 넣고 ApplicationController와 스크립트 모두에서 서비스를 호출하십시오.
Marnen Laibow-Koser '

77

콘솔을 통해이를 수행하는 한 가지 방법이 있습니다.

>> 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해당 메소드를 객체에 혼합하여 반환 값을 볼 수 있습니다.


15

방법이 POST방법 인 경우 :

app.post 'controller/action?parameter1=value1&parameter2=value2'

(여기의 매개 변수는 적용 가능성에 따라 다릅니다.)

그렇지 않은 경우 GET방법 :

app.get 'controller/action'

1
그리고 원하는 길을 찾으려면 app.methods.grep(/_path/):)
Dorian

그리고 항상 그런 것은 아닙니다. controler/action경로에 따라 다릅니다. 예를 들면 다음 /users/all과 같습니다 Api::UsersController#index:)
Dorian

@Dorian 또는 rake routes. :)
Marnen Laibow-Koser

14

이를 수행하는 다른 방법은 Ruby on Rails 디버거를 사용하는 것입니다. http://guides.rubyonrails.org/debugging_rails_applications.html 에 디버깅에 관한 Ruby on Rails 가이드가 있습니다.

기본적으로 -u 옵션을 사용하여 서버를 시작하십시오.

./script/server -u

그런 다음 컨트롤러, 도우미 등에 액세스하려는 스크립트에 중단 점을 삽입하십시오.

class EventsController < ApplicationController
  def index
    debugger
  end
end

그리고 요청을하고 코드에서 해당 부분을 누르면 서버 콘솔은 명령 프롬프트에서 요청을하고 개체를 볼 수있는 프롬프트를 반환합니다. 완료되면 'cont'을 입력하여 실행을 계속하십시오. 확장 된 디버깅 옵션도 있지만 최소한 시작해야합니다.


3
> => 참고 : Ruby 2.0 이후 디버거 옵션은 무시되며 이후 버전에서 제거 될 예정입니다.
밝은 별

13

다음은 Refinery를 예로 사용하여 인증 된 POST 요청을 작성하는 방법입니다.

# Start Rails console
rails console
# Get the login form
app.get '/community_members/sign_in'
# View the session
app.session.to_hash
# Copy the CSRF token "_csrf_token" and place it in the login request.
# Log in from the console to create a session
app.post '/community_members/login', {"authenticity_token"=>"gT7G17RNFaWUDLC6PJGapwHk/OEyYfI1V8yrlg0lHpM=",  "refinery_user[login]"=>'chloe', 'refinery_user[password]'=>'test'}
# View the session to verify CSRF token is the same
app.session.to_hash
# Copy the CSRF token "_csrf_token" and place it in the request. It's best to edit this in Notepad++
app.post '/refinery/blog/posts', {"authenticity_token"=>"gT7G17RNFaWUDLC6PJGapwHk/OEyYfI1V8yrlg0lHpM=", "switch_locale"=>"en", "post"=>{"title"=>"Test", "homepage"=>"0", "featured"=>"0", "magazine"=>"0", "refinery_category_ids"=>["1282"], "body"=>"Tests do a body good.", "custom_teaser"=>"", "draft"=>"0", "tag_list"=>"", "published_at(1i)"=>"2014", "published_at(2i)"=>"5", "published_at(3i)"=>"27", "published_at(4i)"=>"21", "published_at(5i)"=>"20", "custom_url"=>"", "source_url_title"=>"", "source_url"=>"", "user_id"=>"56", "browser_title"=>"", "meta_description"=>""}, "continue_editing"=>"false", "locale"=>:en}

오류가 발생하면 다음과 같은 유용한 정보를 얻을 수 있습니다.

app.cookies.to_hash
app.flash.to_hash
app.response # long, raw, HTML

2
NameError: undefined local variable or method app for main:Object
Kamil Lelonek

forgery_protection을 비활성화해야합니다ApplicationController.allow_forgery_protection = false
William Herry

와우 아마도 아마 쉬울 것입니다. 내가 쓴 것은 위조 방지입니다. 당신은 그것을 비활성화 할 필요는 없지만 더 편리하다고 확신합니다!
클로이

12

다음과 같이 Ruby on Rails 콘솔에서 메소드에 액세스 할 수 있습니다.

controller.method_name
helper.method_name


7

앞의 답변은 헬퍼를 호출하는 것이지만 다음은 컨트롤러 메소드를 호출하는 데 도움이됩니다. Ruby on Rails 2.3.2에서 이것을 사용했습니다.

먼저 다음 코드를 .irbrc 파일 (홈 디렉토리에 있음)에 추가하십시오.

class Object
   def request(options = {})
     url=app.url_for(options)
     app.get(url)
     puts app.html_document.root.to_s
  end
end

그런 다음 Ruby on Rails 콘솔에서 다음과 같이 입력 할 수 있습니다.

request(:controller => :show, :action => :show_frontpage)

... 그리고 HTML이 콘솔에 덤프됩니다.


3

컨트롤러 조치 또는보기에서 콘솔 메소드를 호출하여 콘솔을 호출 할 수 있습니다 .

예를 들어, 컨트롤러에서 :

class PostsController < ApplicationController
  def new
    console
    @post = Post.new
  end
end

또는보기에서 :

<% console %>

<h2>New Post</h2>

뷰 내부에 콘솔이 렌더링됩니다. 콘솔 호출 위치는 신경 쓰지 않아도됩니다. 호출 시점이 아니라 HTML 컨텐츠 옆에 렌더링됩니다.

참조 : http://guides.rubyonrails.org/debugging_rails_applications.html


3

컨트롤러의 경우 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

효과가있다! 그러나 액션 변수를 어떻게 업데이트 할 수 있습니까? 예 : 변수를 어떻게 def show response = @user.contributions end 재정의 @user합니까?
Fábio Araújo 2016 년

2

Ruby on Rails 콘솔에서 헬퍼 메소드 테스트를위한 한 가지 방법은 다음과 같습니다.

Struct.new(:t).extend(YourHelper).your_method(*arg)

그리고 다시로드를 위해 :

reload!; Struct.new(:t).extend(YourHelper).your_method(*arg)

1

자신의 헬퍼를 추가하고 콘솔에서 메소드를 사용할 수있게하려면 다음을 수행하십시오.

  1. 콘솔에서 실행 include YourHelperName
  2. 헬퍼 메소드는 이제 콘솔에서 사용할 수 있으며 콘솔에서 호출하는 데 사용합니다 method_name(args).

예 : my_method'app / helpers / my_helper.rb`에 MyHelper (메서드가 있음 ) 가 있다고 말하면 콘솔에서 다음을 수행하십시오.

  1. include MyHelper
  2. my_helper.my_method
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.