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