1

SearchesControllerがあり、ユーザーがログインする前にログインする必要があります。

loginコントローラテストのログインをエミュレートするrspecヘルパー関数を作成したいと思います。(注:統合/要求の仕様は個別に処理します。)私の試みはうまくいきませんでした。ApplicationControllerのlogged_in?メソッドはfalseを返します。

質問:「ログイン」ヘルパーを作成するにはどうすればよいですか?

RSpecコントローラーのテストは次のとおりです。

# file: spec/controllers/searches_controller_spec.rb
require 'spec_helper'
require 'controllers_helper'
describe SearchesController do
  include ControllersHelper

  describe "GET index" do

    it 'without login renders login page' do
      get :index
      response.should redirect_to(login_path)
    end

    it 'with login finds searches belonging to user' do
      me = FactoryGirl.create(:user)
      my_searches = FactoryGirl.create_list(:search, 2, :user => me)
      not_me = FactoryGirl.create(:user)
      not_my_searches = FactoryGirl.create_list(:search, 2, :user => not_me)

      login(me)  # want to define this in spec/controllers_helper.rb
      get :index
      assigns(:searches).should =~ my_searches
    end
  end
end

これがコントローラーです:

# file: app/controllers/searches_controller.rb
class SearchesController < ApplicationController

  def index
    unless logged_in?
      redirect_to login_path, :alert => "You must be logged in to access this page."
    else
      @searches = Search.where(:user_id => current_user.id)
      respond_to do |format|
        format.html
        format.json { render json: @searches }
      end
    end
  end

end

そして、これがApplicationControllerコードです。xにログインする効果があり、かなり単純であることに注意しcurrent_user = xてください。@current_userとsession[:user_id]を設定します。

# file: app/controllers/application_controller.rb
class ApplicationController < ActionController::Base
  protect_from_forgery
  force_ssl

  protected

  def current_user
    @current_user ||= User.find_by_id(session[:user_id])
  end

  def current_user=(user)
    @current_user = user
    session[:user_id] = user && user.id
  end

  def logged_in?
    !!@current_user
  end

  def require_login
    unless logged_in?
      redirect_to login_path, :alert => "You must be logged in to access this page."
    end
  end

  helper_method :current_user, :logged_in?, :require_login
end
4

1 に答える 1

1

私は以前にこれを言ったかもしれませんが、Stack Overflowが自分の質問に答えるバッジを与えた場合、私はたくさんのバッジを持っているでしょう!:)

さて、この質問に答えるには、ActionController::TestCaseのドキュメントを見る必要があります。そうすると、次のバインディングが設定されることがわかります。

@controller
@request
@response

したがって、OPで指定された特定のコントローラーの場合、loginメソッドの記述は簡単です。

# file: spec/controllers_helper.rb
module ControllersHelper
  def login(user)
    @controller.send(:current_user=, user)
  end
end

(誰かがRTFMをもう一度言うのを聞きましたか?私はそう思いました...)

于 2012-09-19T00:30:08.193 に答える